Create a loop to display all even numbers from 0 to 100. Describe the three elements that must be included in order for a loop to perform correctly. What will happen if these statements are not included? Provide examples.

To create a loop that displays all even numbers from 0 to 100, you can use a "for" loop that iterates through the numbers from 0 to 100 with a step of 2. Here's an example in Python:

```python
for num in range(0, 101, 2):
print(num)
```

To perform correctly, a loop must have three elements:

1. Initialization: This is where you initialize the loop control variable. In the above example, `num` is initialized to 0 before the loop starts.

2. Condition: This is a Boolean expression that evaluates whether the loop should continue or not. The loop will run as long as the condition is true. In the example, the condition is that `num` should be less than or equal to 100.

3. Iteration: This is where the loop control variable is modified in each iteration. In the example, `num` is incremented by 2 in each iteration using the range function.

If any of these elements are missing or incorrect, the loop may not perform as expected:

- If the initialization is missing or incorrect, the loop control variable may not be properly set up, and the loop may not start properly. For example, if the initialization was `num = 2` instead of `num = 0`, the loop would start at 2 instead of 0.

- If the condition is missing or incorrect, the loop may either never execute or execute infinitely. For example, if the condition was mistakenly `num < 100` instead of `num <= 100`, the loop would only display even numbers up to 98 and stop.

- If the iteration is missing or incorrect, the loop control variable may not be updated properly, leading to unexpected behavior. For example, if the iteration statement was `num = num + 1` instead of `num += 2`, the loop would display all numbers from 0 to 100 instead of only even numbers.

It's important to ensure that all three elements are correctly implemented in a loop for it to perform as intended.