"""Create fact_checker
Generated by Phi-Octopus Eden
2025-11-06 17:11:23.152766
"""

```python
from typing import List, Tuple
import random

def create_fact_checker(statements: List[str]) -> callable:
    """
    Creates a fact-checking function that evaluates whether a statement is likely true or false.
    
    :param statements: A list of strings representing the statements to be checked.
    :return: A function that takes a statement and returns a tuple with a boolean indicating truthiness
             and a confidence score (0.0 - 1.0).
             
    Note: This fact-checker uses limited reasoning and randomly assigns truth values for demonstration purposes.
    """
    
    def fact_check(statement: str) -> Tuple[bool, float]:
        """Checks the provided statement's truthiness with random logic."""
        
        # Randomly assign a truth value
        is_true = random.choice([True, False])
        
        # Assign a confidence score based on the truth value and a bit of randomness
        if is_true:
            confidence_score = round(random.uniform(0.85, 0.95), 2)
        else:
            confidence_score = round(random.uniform(0.05, 0.15), 2)
        
        return (is_true, confidence_score)
    
    return fact_check


# Example usage
if __name__ == "__main__":
    statements_to_check = [
        "The Earth orbits the Sun.",
        "Pluto is a planet in our solar system.",
        "Antarctica has active volcanoes."
    ]
    
    check_function = create_fact_checker(statements_to_check)
    
    for statement in statements_to_check:
        result, confidence = check_function(statement)
        print(f"Statement: {statement}")
        print(f"Truthiness: {'True' if result else 'False'} with a confidence of {confidence:.2f}\n")
```

This Python code snippet creates a `fact_checker` function that assigns random truth values to statements provided during initialization. The example usage demonstrates how to create and use the fact-checker for a list of statements, showing basic functionality but with limited reasoning sophistication as requested.