"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-06 16:21:52.880967
"""

```python
from typing import List


class FactChecker:
    """
    A simple fact-checking capability that verifies if a statement is true based on predefined data.
    """

    def __init__(self):
        self.knowledge_base = {
            "2 + 2": "4",
            "10 / 2": "5",
            "Python was created by": "Guido van Rossum"
        }

    def check_fact(self, statement: str) -> bool:
        """
        Checks if the given statement is true based on the knowledge base.

        :param statement: The statement to be checked
        :return: True if the statement is verified as true, False otherwise
        """
        return self.knowledge_base.get(statement) == statement.split(" ")[-1]

    def add_fact(self, statement: str, truth_value: str):
        """
        Adds a new fact to the knowledge base.

        :param statement: The statement to be added
        :param truth_value: The true value of the statement
        """
        self.knowledge_base[statement] = truth_value

    def list_facts(self) -> List[str]:
        """
        Lists all facts in the knowledge base.

        :return: A list containing all statements and their truths as strings
        """
        return [f"{key} = {value}" for key, value in self.knowledge_base.items()]


def example_usage():
    checker = FactChecker()
    print("Initial Facts:")
    for fact in checker.list_facts():
        print(f"  - {fact}")

    # Checking a known fact
    result = checker.check_fact("2 + 2")
    if result:
        print(f"The statement '2 + 2' is true.")
    else:
        print(f"The statement '2 + 2' is false.")

    # Adding a new fact
    checker.add_fact("5 * 5", "25")

    # Checking the new fact
    result = checker.check_fact("5 * 5")
    if result:
        print(f"The statement '5 * 5' is true.")
    else:
        print(f"The statement '5 * 5' is false.")

    print("\nUpdated Facts:")
    for fact in checker.list_facts():
        print(f"  - {fact}")


if __name__ == "__main__":
    example_usage()
```