1. Create a program which will allow the user enter ten numbers. The program is to count how many numbers were above 50. Hint: You will need to incorporate a Selection (If…then) statement.

i = 0

DO 10 times
i = i + 1
<<Prompt for number>>
<<Read and store number entered as number_i>>
end DO

i = 0; j = 0
DO 10 times
i = i + 1
IF number_i > 50 THEN j = j + 1
end DO

Display["Count of numbers exceeding 50 is: ", j]

To create a program that allows the user to enter ten numbers and count how many of them are above 50, you can follow these steps using a programming language like Python:

1. Initialize a variable to keep track of the count of numbers above 50. Let's call it 'count' and set it to 0 initially.

2. Use a loop to iterate ten times and prompt the user to enter a number each time.

3. For each input, compare it with 50 using an if statement. If the number is greater than 50, increment the count variable by 1.

4. After the loop completes, output the value of the count variable, which will give you the number of entries above 50.

Here's an example implementation in Python:

```python
count = 0

for _ in range(10):
number = int(input("Enter a number: "))
if number > 50:
count += 1

print("Number of entries above 50:", count)
```

In this program, we initialize the 'count' variable to 0. Then, the for loop runs 10 times, prompting the user to enter a number each time. The number is then checked using the if statement, and if it is greater than 50, the count is incremented.

Finally, after the loop completes, the program prints the value of count, which represents the number of entries above 50.