"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-06 04:20:26.372877
"""

```python
from typing import List
from random import choice

class FactChecker:
    """
    A simple fact checking system that verifies facts against a predefined list of known truths.
    """

    def __init__(self):
        self.knowledge_base = [
            "The Earth is round",
            "Water freezes at 0 degrees Celsius",
            "Plants need sunlight to grow"
        ]
    
    def check_fact(self, fact: str) -> bool:
        """
        Checks if the given fact is true based on the knowledge base.
        
        :param fact: The fact to be checked as a string
        :return: True if the fact is known to be true, False otherwise
        """
        return fact in self.knowledge_base

def example_usage():
    """
    Demonstrates how to use the FactChecker class.
    """
    checker = FactChecker()
    facts_to_check: List[str] = [
        "The Earth is round",
        "Water boils at 100 degrees Fahrenheit",
        "Plants need water to grow"
    ]
    
    for fact in facts_to_check:
        print(f"Checking if '{fact}' is true: {checker.check_fact(fact)}")
        
example_usage()
```

This Python script introduces a basic `FactChecker` class that can verify simple factual statements against a predefined list of known truths. The example usage shows how to instantiate the class and check various facts, printing out whether they are considered true based on the knowledge base.