"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-07 04:25:26.725165
"""

```python
from typing import List


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

    def __init__(self):
        self.rules = {
            "temperature_rule": lambda temp: 0 <= temp <= 100,
            "age_rule": lambda age: 0 < age < 200
        }

    def check_fact(self, statement: str) -> bool:
        """
        Check if the given fact is true or false based on predefined rules.

        :param statement: A string representing a fact to be checked.
        :return: True if the fact is verified as true according to the rules, False otherwise.
        """
        try:
            # Extract values from the statement
            parts = statement.split()
            key = parts[0]
            value = int(parts[2])

            # Apply rule based on the type of fact
            return self.rules[key](value)
        except (ValueError, KeyError):
            return False


# Example Usage
if __name__ == "__main__":
    checker = FactChecker()

    print(checker.check_fact("temperature is 50"))  # Expected: True
    print(checker.check_fact("age of the person is 210"))  # Expected: False
```