Create the logic for a program that continuously prompts a user

for a numeric value until the user enters 0. The application passes the value in turn to a method that
computes the sum of all the whole numbers from 1 up to and
including the entered number. Example if the number entered is
4 the displayed value would be 10 (1+2+3+4).
Also to a method that computes the product of all the whole
numbers up to and including the entered number. Example if
the number entered is 4 the displayed value would be 24
(1*2*3*4).

To create the logic for the program, you would need to do the following steps:

1. Initialize a variable to hold the entered number. Let's call it "num".
2. Start a loop that continues until the user enters 0.
3. Inside the loop, prompt the user to enter a numeric value and store it in the "num" variable.
4. Call a method to calculate the sum of all whole numbers from 1 up to and including "num".
5. Call another method to calculate the product of all whole numbers up to and including "num".
6. Display the calculated sum and product to the user.
7. If the user enters 0, exit the loop and end the program.

Here is a sample implementation in Python:

```python
def calculate_sum(num):
# Initialize a variable to hold the sum
total_sum = 0

# Loop from 1 to num (inclusive) and add each number to the sum
for i in range(1, num+1):
total_sum += i

return total_sum

def calculate_product(num):
# Initialize a variable to hold the product
total_product = 1

# Loop from 1 to num (inclusive) and multiply each number to the product
for i in range(1, num+1):
total_product *= i

return total_product

def main():
while True:
num = int(input("Enter a numeric value (0 to exit): "))
if num == 0:
break # Exit the loop if the user enters 0

sum_result = calculate_sum(num)
product_result = calculate_product(num)

print("Sum:", sum_result)
print("Product:", product_result)
print()
```

You can run the `main` function to start the program, and it will continuously prompt the user for a numeric value until they enter 0. It will then calculate the sum and product based on the entered value and display the results.