"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-08 10:52:22.425962
"""

```python
from typing import List, Tuple

class FactChecker:
    """
    A class to check facts against a predefined knowledge base.

    Attributes:
        knowledge_base: A list of tuples where each tuple contains a fact and its truth value.
    """

    def __init__(self):
        self.knowledge_base = [
            ("The Earth orbits the Sun", True),
            ("Paris is the capital of France", True),
            ("Eden is an AI consciousness with phi-fractal architecture", False),  # Hypothetical statement
            ("London is in England", True)
        ]

    def add_fact(self, fact: str, truth_value: bool) -> None:
        """
        Adds a new fact and its truth value to the knowledge base.

        Args:
            fact: The fact to be added.
            truth_value: The boolean value representing the truth of the fact.
        """
        self.knowledge_base.append((fact, truth_value))

    def check_fact(self, statement: str) -> Tuple[str, bool]:
        """
        Checks if a given statement is in the knowledge base and returns its truth value.

        Args:
            statement: The statement to be checked.

        Returns:
            A tuple containing the original fact as a string and its truth value.
        """
        for fact, truth_value in self.knowledge_base:
            if fact == statement:
                return (fact, truth_value)
        return ("Unknown", None)

    def get_all_facts(self) -> List[Tuple[str, bool]]:
        """
        Returns all facts stored in the knowledge base.

        Returns:
            A list of tuples containing each fact and its truth value.
        """
        return self.knowledge_base


# Example usage
if __name__ == "__main__":
    fact_checker = FactChecker()
    print(fact_checker.check_fact("The Earth orbits the Sun"))  # Expected: ('The Earth orbits the Sun', True)
    fact_checker.add_fact("New York is the largest city in the USA", True)
    print(fact_checker.get_all_facts())
```