• 1
    Input and Output Data
    • Tasks
  • 2
    Conditions
    • Tasks
  • 3
    For Loop
    • Tasks
  • 4
    Strings
    • Tasks
  • 5
    While Loop
    • Tasks
  • 6
    Lists
    • Tasks
  • 7
    Two-Dimensional Arrays
    • Tasks
  • 8
    Dictionaries
    • Tasks
  • 9
    Sets
    • Tasks
  • 10
    Functions and Recursion
    • Tasks
  • к

Занятие 5. While cycle

Difficulty level:

Task«Arithmetic progression»

a young gardener named Alex planted a magic sprout. He knows his initial height, how many times the sprout increases every day, and how height he wants to grow it. Alex wants to know in advance how many days he will have to wait.

rn

rn
    rn
  1. asks the name of the gardener.
  2. rn
  3. reads the initial height of the sprout, the daily growth multiplier and the desired height. All heights & mdash; integers.
  4. rn
  5. calculates how many days it will be required to make the height of the greens become equal or exceeded.
  6. rn
  7. displays a personal message for the gardener with the number of days.
  8. rn
  9. as a bonus" draws "the final flower, the height of the stem of which depends on the number of growth days.
  10. rn rn

    this task will help you practice using Cycles & nbsp; While & nbsp; and & nbsp; for , conditional operators, as well as the entry and output of data, including lines.

    Input format

    rn
  11. the name of the gardener (line). Style = "Font-Size: 14pt;"> The initial sprout height (integer).
  12. rn
  13. daily growth multiplier (integer, more, more 1).
  14. rn
  15. the desired final height (an integer number).
  16. Output format

    rn
  17. personal message with the result (line). Style = "Font-Size: 14pt;"> stylized image of a flower (several lines), if time was required for growth.
  18. rn
  19. alternative message if the growth was not required (line).
  20. rn

    Example

    Input

    Masha
    2
    3
    50

    Output

    Masha, your sprout will take 3 days to grow.
    & nbsp; (---)
    & nbsp; (o)
    & nbsp; & nbsp; |
    & nbsp; & nbsp; |
    & nbsp; & nbsp; |
    & nbsp; / \

    Hint

    All about thewhile loop in Python

    The while cycle (translated as "for now") allows you to repeat the execution of a block of code as long as a certain logical condition remains true (True). This is an indispensable tool when you don't know in advance exactly how many times you need to perform an action. The main difference from the for loop is that for is usually used to iterate over a known sequence (list, string, range), and while when the number of iterations depends on the fulfillment of some condition in during the program operation.

    Loop syntax while

    Here is the basic syntax of the while loop in Python:

    while condition:
        code block_
    
    • Condition: this is any expression that returns True or False. This can be not only a comparison of variables, but also, for example, checking the presence of items in the list or the value returned by the function. If the condition is true (True), the block_code is executed.
    • Code block: one or more indented statements that are executed each time the loop passes (each iteration).

    Example of a simple loop while

    Let's look at an example where we output numbers from 1 to 5:

    count = 1
    while count <= 5:
        print(count)
    count += 1 # The most important line: increase the value of the count variable by 1
    

    Output:

    1
    2
    3
    4
    5
    

    Here we start with the value count = 1. Before each iteration, Python checks the condition count<=5. As long as it is true, a block of code is executed: the current value of count is printed, and then it increases by 1. As soon as count becomes 6, the condition 6 <= 5 becomes false (False), and the loop ends its work.

    A useful tip: the variable that controls the loop (in our case count) is often called a counter or a loop control variable. It is extremely important to ensure that it changes within the loop in such a way that the condition sooner or later becomes false.

    Potential problems: endless loops

    An infinite loop is a cycle that never ends. This happens when his condition always remains true.

    count = 1
    while count <= 5:
        print(count)
        # Error: we forgot to change the count value, so the condition will always be True.
    

    To stop the execution of such a cycle, you need to interrupt the program manually (for example, by pressing Ctrl+C in the terminal).

    However, it is worth noting that infinite loops are not always a mistake. Sometimes they are used intentionally, for example, in programs that need to run all the time: servers listening to connections, or game loops. In such cases, the while True construction is often used.:, and the exit from the loop is organized using a break for some special event.

    Using break to exit the loop early

    We can use the break operator to immediately and completely terminate the loop, even if its main condition is still true.

    count = 1
    while count <= 10: # The condition allows you to go up to 10
        if count == 3:
            print("We have met the number 3, we exit the loop.")
    break  # Exit the loop when count is 3
        print(count)
        count += 1
    

    Output:

    1
    2
    We have met the number 3, we exit the cycle.
    

    A useful tip: if you have nested loops (one while inside the other), the break statement will interrupt execution of only the innermost loop in which it is located.

    Using continue to skip an iteration

    The continue operator skips the rest of the code in the current iteration and immediately proceeds to check the condition for the next iteration.

    count = 0
    while count < 5:
        count += 1
        if count == 3:
            print("Skipping the number 3...")
    continue # Skip the remaining code and move on to the next iteration
    print(f"Processing the number: {count}")
    

    Output:

    Processing the number: 1
    Processing the number: 2
    Skip the number 3...
    Process the number: 4
    Processing the number: 5
    

    It is important not to confuse continue with break. break stops the loop completely, and continue only completes the current step ahead of schedule.

    Loop while with user input

    while loops are ideal for processing user input when data needs to be requested until it meets the required criteria.

    import random
    
    secret_number = random.randint(1, 10)
    guess = None # Initialize the variable before the loop
    
    # The loop will run until guess is equal to secret_number
    while guess != secret_number:
        guess_text = input("Guess a number from 1 to 10:")
    # Check if the user has entered a number
        if not guess_text.isdigit():
            print("Please enter a number.")
            continue # Skip the rest of the logic and request input again.
        
        guess = int(guess_text)
    
        if guess < secret_number:
    print("Your number is less than the number you have guessed.")
    elif guess> secret_number:
    print("Your number is more than the number you have guessed.")
    
    print(f"Congratulations! You guessed the number {secret_number}!")
    

    Loop while with block else

    Loops in Python have an interesting and not the most well-known feature - the else block. The code in the else block is executed only if the loop ended naturally (that is, its condition became False), and was not interrupted by the break operator.

    # Example where else will execute
    count = 1
    while count <= 3:
        print(f"Iteration {count}")
    count += 1
    else:
    print("The loop ended naturally.")
    
    # Output:
    # Iteration 1
    # Iteration 2
    # Iteration 3
    # The cycle ended naturally.
    
    # Example where else fails due to break
    count = 1
    while count <= 3:
        if count == 2:
    print("The loop is interrupted by the break statement.")
    break
        print(f"Iterate {count}")
    count += 1
    else:
    print("This block will not be executed.")
        
    # Output:
    # Iteration 1
    # The loop is interrupted by the break statement.
    

    Conclusion

    The while loop is a powerful tool in Python. Here are the main points to remember:

    1. Initializing variables: Make sure that the variables used in the condition exist before the loop starts.
    2. Condition change: Something must happen inside the loop that will eventually make the condition false in order to avoid an infinite loop.
    3. break and continue: Use break to exit the loop completely and continue to skip the current iteration.
    4. The while True pattern: This is a convenient way to organize a cycle that must be interrupted by a complex internal condition using break.
    5. The else block: Keep in mind that you can use the else block for code that should be executed only at the normal end of the loop.
main.py
Test 1
Test 2
Test 3
Test 4
Test 5
Test 6
Test 7
Test 8
Test 9
Test 10
Developer’s solution
# Формат кода с комментариями к строкам для объяснения

# Ввод данных
gardener_name = input()  # Считываем имя садовода (строка)
current_height = int(input())  # Считываем начальную высоту (целое число)
multiplier = int(input())  # Считываем множитель роста (целое число)
target_height = int(input())  # Считываем желаемую высоту (целое число)

days = 0  # Инициализируем счетчик дней

# Основной цикл для расчета дней
# Цикл while работает, пока текущая высота меньше желаемой
while current_height < target_height:
    current_height *= multiplier  # Увеличиваем высоту ростка в multiplier раз
    days += 1  # Увеличиваем счетчик дней на один

# Вывод результата
# Используем f-строку для форматирования и вывода персонального сообщения
print(f"{gardener_name}, вашему ростку потребуется {days} дней, чтобы вырасти.")

# Условие для красивого вывода
# Если росток уже большой, рисуем цветок без стебля
if days > 0:
    print("  (---)") # Верхушка цветка
    print(" ( O )")
    # Цикл for для отрисовки стебля
    # Он выполнится 'days' раз, рисуя по одной секции стебля
    for _ in range(days):
        print("   |")
    print("  / \\") # Основание
else: # Если ждать не нужно
    print("Ваш росток уже достиг нужной высоты!")

🎉 Congratulations! 🎉

You did an excellent job with the task! It was a challenging problem, but you found the correct solution. You are one step closer to mastering programming! Keep up the good work, because every stage you pass makes you even stronger.

AD

Advertisement

red-snake blue-snake green-snake

Running your code...

Помощник ИИ

Привет! Я твой помощник по программированию. Задавай любые вопросы по Python, я могу рассказать о функциях, методах, обьяснить то, что тебе не понятно, а так же о текущей задаче!