To generate test cases for the "Wall Painting" problem, we need to create randomized values for the number of panels, number of robots, bonus value, penalty value, and the operations each robot performs. Given the constraints, we need to ensure the values are within the specified ranges.

Here's the Python code for the test case generator:

```python
import random

def tcgen():
    # Number of panels, constrained between 1 and 10^9 inclusive
    n = random.randint(1, 10**9)
    
    # Number of robots, constrained between 1 and 2 * 10^5 inclusive
    m = random.randint(1, 2 * 10**5)
    
    # Bonus value, constrained between 1 and 10^5 inclusive
    x = random.randint(1, 10**5)
    
    # Penalty value, constrained between 1 and 10^5 inclusive
    y = random.randint(1, 10**5)
    
    # Generating m robots with their respective painting operations
    operations = []
    for _ in range(m):
        c = random.choice([1, 2, 3])
        l = random.randint(1, n)
        r = random.randint(l, n)  # Ensure r >= l
        operations.append((c, l, r))
    
    return n, m, x, y, operations

# Function to pretty print the test case
def print_test_case():
    n, m, x, y, operations = tcgen()
    print(f"{n} {m} {x} {y}")
    for operation in operations:
        print(f"{operation[0]} {operation[1]} {operation[2]}")

# Generate and print a test case
print_test_case()
```

### Explanation:
1. **Number of Panels (`n`)**:
   - Randomly selected between 1 and \(10^9\) inclusive.

2. **Number of Robots (`m`)**:
   - Randomly selected between 1 and \(2 \times 10^5\) inclusive.

3. **Bonus (`x`)**:
   - Randomly selected between 1 and \(10^5\) inclusive.

4. **Penalty (`y`)**:
   - Randomly selected between 1 and \(10^5\) inclusive.

5. **Robot Operations**:
   - For each robot, select a random color `c` in {1, 2, 3}.
   - Select a random starting position `l` between 1 and `n`.
   - Select an ending position `r` such that `l ≤ r ≤ n`.

6. **Output**:
   - The function `print_test_case()` generates a test case, formats it, and prints it in the required format.

This generator creates randomized test cases that respect the constraints of the problem, ensuring each generated test case is valid and suitable for testing the implementation of the "Wall Painting" problem.