"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-06 23:38:02.421857
"""

```python
from typing import List, Dict


class FactChecker:
    """
    A simple fact-checking tool that verifies if a given statement is true or false based on predefined knowledge.
    """

    def __init__(self):
        self.knowledge_base: Dict[str, bool] = {
            "Paris is the capital of France": True,
            "The Earth orbits around the Sun": True,
            "Pluto is still considered a planet": False
        }

    def check_fact(self, statement: str) -> bool:
        """
        Check if a given statement is true based on predefined knowledge.
        
        :param statement: A string representing the statement to be checked.
        :return: True if the statement is verified as true, False otherwise.
        """
        return self.knowledge_base.get(statement, False)


def example_usage():
    fact_checker = FactChecker()
    
    print(f"Is 'Paris is the capital of France' true? {fact_checker.check_fact('Paris is the capital of France')}")
    print(f"Is 'The Moon is a planet' true? {fact_checker.check_fact('The Moon is a planet')}")


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