For char in word python

How can I iterate over a string in Python (get each character from the string, one at a time, each time through a loop)?

Karl Knechtel's user avatar

asked Feb 11, 2009 at 19:22

Paradius's user avatar

0

As Johannes pointed out,

for c in "string":
    #do something with c

You can iterate pretty much anything in python using the for loop construct,

for example, open("file.txt") returns a file object (and opens the file), iterating over it iterates over lines in that file

with open(filename) as f:
    for line in f:
        # do something with line

If that seems like magic, well it kinda is, but the idea behind it is really simple.

There’s a simple iterator protocol that can be applied to any kind of object to make the for loop work on it.

Simply implement an iterator that defines a next() method, and implement an __iter__ method on a class to make it iterable. (the __iter__ of course, should return an iterator object, that is, an object that defines next())

See official documentation

vallentin's user avatar

vallentin

22.9k6 gold badges59 silver badges80 bronze badges

answered Feb 11, 2009 at 19:30

hasen's user avatar

hasenhasen

160k64 gold badges190 silver badges229 bronze badges

3

If you need access to the index as you iterate through the string, use enumerate():

>>> for i, c in enumerate('test'):
...     print i, c
... 
0 t
1 e
2 s
3 t

answered Dec 28, 2010 at 16:54

moinudin's user avatar

moinudinmoinudin

132k45 gold badges189 silver badges214 bronze badges

1

Even easier:

for c in "test":
    print c

Tim Cooper's user avatar

Tim Cooper

156k38 gold badges330 silver badges278 bronze badges

answered Feb 11, 2009 at 19:24

Johannes Weiss's user avatar

Johannes WeissJohannes Weiss

52k16 gold badges102 silver badges136 bronze badges

2

Just to make a more comprehensive answer, the C way of iterating over a string can apply in Python, if you really wanna force a square peg into a round hole.

i = 0
while i < len(str):
    print str[i]
    i += 1

But then again, why do that when strings are inherently iterable?

for i in str:
    print i

answered Feb 17, 2009 at 5:36

Andrew Szeto's user avatar

Andrew SzetoAndrew Szeto

1,1991 gold badge9 silver badges13 bronze badges

3

Well you can also do something interesting like this and do your job by using for loop

#suppose you have variable name
name = "Mr.Suryaa"
for index in range ( len ( name ) ):
    print ( name[index] ) #just like c and c++ 

Answer is

M r . S u r y a a

However since range() create a list of the values which is sequence thus you can directly use the name

for e in name:
    print(e)

This also produces the same result and also looks better and works with any sequence like list, tuple, and dictionary.

We have used tow Built in Functions ( BIFs in Python Community )

1) range() — range() BIF is used to create indexes
Example

for i in range ( 5 ) :
can produce 0 , 1 , 2 , 3 , 4

2) len() — len() BIF is used to find out the length of given string

answered May 20, 2017 at 14:18

Mr. Suryaa Jha's user avatar

If you would like to use a more functional approach to iterating over a string (perhaps to transform it somehow), you can split the string into characters, apply a function to each one, then join the resulting list of characters back into a string.

A string is inherently a list of characters, hence ‘map’ will iterate over the string — as second argument — applying the function — the first argument — to each one.

For example, here I use a simple lambda approach since all I want to do is a trivial modification to the character: here, to increment each character value:

>>> ''.join(map(lambda x: chr(ord(x)+1), "HAL"))
'IBM'

or more generally:

>>> ''.join(map(my_function, my_string))

where my_function takes a char value and returns a char value.

answered Dec 18, 2015 at 11:11

MikeW's user avatar

MikeWMikeW

5,3481 gold badge33 silver badges28 bronze badges

Several answers here use range. xrange is generally better as it returns a generator, rather than a fully-instantiated list. Where memory and or iterables of widely-varying lengths can be an issue, xrange is superior.

answered Sep 27, 2017 at 3:20

N6151H's user avatar

N6151HN6151H

1501 silver badge11 bronze badges

1

You can also do the following:

txt = "Hello World!"
print (*txt, sep='n')

This does not use loops but internally print statement takes care of it.

* unpacks the string into a list and sends it to the print statement

sep='n' will ensure that the next char is printed on a new line

The output will be:

H
e
l
l
o
 
W
o
r
l
d
!

If you do need a loop statement, then as others have mentioned, you can use a for loop like this:

for x in txt: print (x)

answered Jan 9, 2021 at 8:53

Joe Ferndz's user avatar

Joe FerndzJoe Ferndz

8,3562 gold badges12 silver badges32 bronze badges

If you ever run in a situation where you need to get the next char of the word using __next__(), remember to create a string_iterator and iterate over it and not the original string (it does not have the __next__() method)

In this example, when I find a char = [ I keep looking into the next word while I don’t find ], so I need to use __next__

here a for loop over the string wouldn’t help

myString = "'string' 4 '['RP0', 'LC0']' '[3, 4]' '[3, '4']'"
processedInput = ""
word_iterator = myString.__iter__()
for idx, char in enumerate(word_iterator):
    if char == "'":
        continue

    processedInput+=char

    if char == '[':
        next_char=word_iterator.__next__()
        while(next_char != "]"):
          processedInput+=next_char
          next_char=word_iterator.__next__()
        else:
          processedInput+=next_char

answered Apr 29, 2020 at 3:15

Bernardo stearns reisen's user avatar

You are here: Home / Python / for char in string – How to Loop Over Characters of String in Python

To loop over the characters of a string in Python, you can use a for loop and loop over each character in the following way.

string = "example"

for char in string:
    print(char)

#Output:
e
x
a
m
p
l
e

When working with strings, the ability to work with the characters individually is valuable.

You can loop over the characters of a string variable in Python easily.

String objects are iterable in Python and therefore you can loop over a string.

To loop over the characters of a string in Python, you can use a for loop and loop over each character in the following way.

string = "example"

for char in string:
    print(char)

#Output:
e
x
a
m
p
l
e

Depending on the situation, you might find it useful to want to loop over the characters of a string.

One example of using ‘for char in string’ is if you want to check if a string contains only certain characters.

In Python, we can easily get if a string contains certain characters in a string looping over each character of the string and seeing if it is one of the given characters or not.

Below is a function which will check if a string has certain characters or not for you in a string using Python.

def containsCertainChars(string, chars):
    for char in string:
        if char in chars:
           return True
    return False

print(containsCertainChars("Hello World!", "H"))
print(containsCertainChars("Hello World!", "olz"))
print(containsCertainChars("Hello World!", "z"))

#Output:
True
True
False

Another example of using ‘for char in string’ to loop a string is to check if a string contains uppercase letters in Python.

To check if a string contains uppercase, we just need to loop over all letters in the string until we find a letter that is equal to that letter after applying the upper() function.

Below is a Python function which will check if a string contains uppercase characters.

def checkStrContainsUpper(string):
    for x in string:
        if x == x.upper():
            return True
    return False

print(checkStrContainsUpper("all letters here are lowercase"))
print(checkStrContainsUpper("We Have some uppercase Letters in this One."))

#Output:
False
True

Hopefully this article has been useful for you to learn how to loop over a string with ‘for char in string’ in Python.

Other Articles You’ll Also Like:

  • 1.  numpy pi – Get Value of pi Using numpy Module in Python
  • 2.  Check if a Number is Divisible by 2 in Python
  • 3.  Python Square Root – Finding Square Roots Using math.sqrt() Function
  • 4.  Euclidean Algorithm and Extended Euclidean Algorithm in Python
  • 5.  Get Random Letter in Python
  • 6.  Cartesian Product of Two Lists in Python
  • 7.  pandas groupby size – Get Number of Elements after Grouping DataFrame
  • 8.  How to Concatenate Tuples in Python
  • 9.  Get Current Year in Python
  • 10.  Using Python to Count Number of False in List

About The Programming Expert

The Programming Expert is a compilation of a programmer’s findings in the world of software development, website creation, and automation of processes.

Programming allows us to create amazing applications which make our work more efficient, repeatable and accurate.

At the end of the day, we want to be able to just push a button and let the code do it’s magic.

You can read more about us on our about page.

Reader Interactions

Improve Article

Save Article

Like Article

  • Read
  • Discuss
  • Improve Article

    Save Article

    Like Article

    In Python, while operating with String, one can do multiple operations on it. Let’s see how to iterate over the characters of a string in Python.

    Example #1: Using simple iteration and range() 

    Python3

    string_name = "geeksforgeeks"

    for element in string_name:

        print(element, end=' ')

    print("n")

    string_name = "GEEKS"

    for element in range(0, len(string_name)):

        print(string_name[element])

    Output:

    g e e k s f o r g e e k s 
    
    G
    E
    E
    K
    S

    Code #1

    • Time complexity: O(n), where n is the length of the string.
    • Auxiliary space: O(1)

    Code #2

    • Time complexity: O(n), where n is the length of the string.
    • Auxiliary space: O(1),

    Example #2: Using enumerate() function 

    Python3

    string_name = "Geeks"

    for i, v in enumerate(string_name):

        print(v)

    Time complexity: O(n) where n is the length of the string

    Auxiliary space: O(1).

    Example #3: Iterate characters in reverse order 

    Python3

    string_name = "GEEKS"

    for element in string_name[ : :-1]:

        print(element, end =' ')

    print('n')

    string_name = "geeksforgeeks"

    ran = len(string_name)

    for element in reversed(range(0, ran)):

        print(string_name[element])

    Output:

    S K E E G 
    
    s
    k
    e
    e
    g
    r
    o
    f
    s
    k
    e
    e
    g

    Example #4: Iteration over particular set of element. Perform iteration over string_name by passing particular string index values. 

    Python3

    string_name = "geeksforgeeks"

    for element in string_name[0:8:1]:

        print(element, end =' ')

    Example #5: Iterate characters using itertools

    Alternatively, you can use the islice() function from itertools to iterate over the characters of a string. islice() returns an iterator that returns selected elements from the input iterator, allowing you to specify the start and end indices of the elements you want to iterate over. Here’s an example of how you can use islice() to iterate over the characters of a string:

    Python3

    import itertools

    string = "hello"

    char_iter = itertools.islice(string, 0, None)

    for char in char_iter:

        print(char)

    Time complexity: O(n)
    Auxiliary Space: O(n)

    Like Article

    Save Article

    Содержание:развернуть

    • Применение циклов
    • Итерации
    • Синтаксис for
    • range() и enumerate()
    • break и continue
    • else
    • Best practice
    • Цикл по списку

    • Цикл по словарю

    • Цикл по строке

    • Как сделать цикл for с шагом

    • Обратный цикл for

    • for в одну строку

    Циклы являются мощнейшим инструментом, предоставляемым высокоуровневыми языками программирования. Эти управляющие конструкции позволяют многократно выполнять требуемую последовательность инструкций. Циклы в языке Python представлены двумя основными конструкциями: while и for.

    Подробнее о циклах while вы можете прочитать здесь:

    Применение циклов

    Концепция циклов — это не просто очередная абстрактная выдумка программистов. Повторяющиеся раз за разом операции окружают нас и в реальной жизни:

    🥣 добавление щепотки приправ в варящийся бульон и помешивание его до тех пор, пока пакетик специй не закончится.

    🕙 следование строгому расписанию каждый будний день, пока не наступят долгожданные выходные.

    🌄 даже банальная смена времён года.

    — всё это циклы, и представить нормальную жизнь без них попросту невозможно.

    Впрочем, то же касается и программирования. Представьте, что вам нужно последовательно напечатать числа от 1 до 9999999999. В отсутствии циклов, эту задачу пришлось бы выполнять ручками, что потребовало бы колоссального количества кода и огромных временных затрат:

    print(1)
    print(2)
    print(3)
    # ...
    # 9999999995 строк
    # ...
    print(9999999998)
    print(9999999999)

    Циклы же позволяют уместить такую многокилометровую запись в изящную и простую для понимания конструкцию, состоящую всего из двух строчек:

    for i in range(1, 10000000000):
    print(i)

    Смысл её крайне прост. В основе цикла for лежат последовательности, и в примере выше это последовательность чисел от 1 до 9999999999. for поэлементно её перебирает и выполняет код, который записан в теле цикла. В частности, для решения данной задачи туда была помещена инструкция, позволяющая выводить значение элемента последовательности на экран.

    Итерации

    • Итерация (Iteration) — это одно из повторений цикла (один шаг или один «виток» циклического процесса). К примеру цикл из 3-х повторений можно представить как 3 итерации.
    • Итерируемый объект (Iterable) — объект, который можно повторять. Проще говоря это объект, который умеет отдавать по одному результату за каждую итерацию.
    • Итератор (iterator) — итерируемый объект, в рамках которого реализован метод __next__, позволяющий получать следующий элемент.

    👉 Чтобы выполнить итерацию, Python делает следующее:

    • Вызывает у итерируемого объекта метод iter(), тем самым получая итератор.
    • Вызывает метод next(), чтобы получить каждый элемент от итератора.
    • Когда метод next возвращает исключение StopIteration, цикл останавливается.

    Схема работы цикла «for» в Python

    Пример создания итерируемого объекта
    Для того чтобы создать собственный класс итерируемого объекта, нужно всего лишь внутри него реализовать два метода: __iter__() и __next__():

    • внутри метода __next__ () описывается процедура возврата следующего доступного элемента;
    • метод __iter__() возвращает сам объект, что даёт возможность использовать его, например, в циклах с поэлементным перебором.

    Создадим простой строковый итератор, который на каждой итерации, при получении следующего элемента (т.е. символа), приводит его к верхнему регистру:

    class ToUpperCase:
    def __init__(self, string_obj, position=0):
    """сохраняем строку, полученную из конструктора,
    в поле string_obj и задаём начальный индекс"""
    self.string_obj = string_obj
    self.position = position

    def __iter__(self):
    """ возвращаем сам объект """
    return self

    def __next__(self):
    """ метод возвращает следующий элемент,
    но уже приведенный к верхнему регистру """
    if self.position >= len(self.string_obj):
    # исключение StopIteration() сообщает циклу for о завершении
    raise StopIteration()
    position = self.position
    # инкрементируем индекс
    self.position += 1
    # возвращаем символ в uppercase-e
    return self.string_obj[position].upper()

    low_python = "python"
    high_python = ToUpperCase(low_python)
    for ch in high_python:
    print(ch, end="")

    > PYTHON

    Синтаксис for

    Как было замечено, цикл for python — есть средство для перебора последовательностей. С его помощью можно совершать обход строк, списков, кортежей и описанных выше итерируемых объектов.

    В простейшем случае он выглядит так:

    for item in collection:
    # do something

    Если последовательность collection состоит, скажем, из 10 элементов, for будет поочерёдно обходить их, храня значение текущего элемента в переменной item.

    Принцип работы for максимально схож с таковым у циклов foreach, применяемых во многих других высокоуровневых языках.

    aliceQuote = "The best way to explain it is to do it."
    # с помощью цикла for посчитаем количество символов (с пробелами) в строке
    # зададим счетчик
    count = 0
    # будем посимвольно обходить весь текст
    for letter in aliceQuote:
    # на каждой новой итерации:
    # в переменной letter будет храниться следующий символ предложения;
    # увеличиваем счетчик на 1;
    count += 1

    print(count)
    > 39

    range() и enumerate()

    Вы уже наверняка запомнили, что for работает с последовательностями. В программировании очень часто приходится повторять какую-то операцию фиксированное количество раз. А где упоминается «количество чего-то», существует и последовательность, числовая.

    👉 Для того чтобы выполнить какую-либо инструкцию строго определенное число раз, воспользуемся функцией range():

    # скажем Миру привет целых пять раз!
    for i in range(5):
    print("Hello World!")

    >
    Hello World!
    Hello World!
    Hello World!
    Hello World!
    Hello World!

    range() можно представлять, как функцию, что возвращает последовательность чисел, регулируемую количеством переданных в неё аргументов. Их может быть 1, 2 или 3:

    • range(stop);
    • range(start, stop);
    • range(start, stop, step).

    Здесь start — это первый элемент последовательности (включительно), stop — последний (не включительно), а step — разность между следующим и предыдущим членами последовательности.

    # 0 - начальный элемент по умолчанию
    for a in range(3):
    print(a)

    >
    0
    1
    2

    # два аргумента
    for b in range(7, 10):
    print(b)

    >
    7
    8
    9

    # три аргумента
    for c in range(0, 13, 3):
    print(c)

    >
    0
    3
    6
    9
    12

    Подробнее о функции range тут:

    👉 Чрезвычайно полезная функция enumerate() определена на множестве итерируемых объектов и служит для создания кортежей на основании каждого из элементов объекта. Кортежи строятся по принципу (индекс элемента, элемент), что бывает крайне удобно, когда помимо самих элементов требуется ещё и их индекс.

    # заменим каждый пятый символ предложения, начиная с 0-го, на *
    text = "Это не те дроиды, которых вы ищете"
    new_text = ""
    for char in enumerate(text):
    if char[0] % 5 == 0:
    new_text += '*'
    else:
    new_text += char[1]
    print(new_text)

    > *то н* те *роид*, ко*орых*вы и*ете

    break и continue

    Два похожих оператора, которые можно встретить и в других языках программирования.

    • break — прерывает цикл и выходит из него;
    • continue — прерывает текущую итерацию и переходит к следующей.

    # break
    for num in range(40, 51):
    if num == 45:
    break
    print(num)

    >
    40
    41
    42
    43
    44

    Здесь видно, как цикл, дойдя до числа 45 и вернув истину в условном выражении, прерывается и заканчивает свою работу.

    # continue
    for num in range(40, 51):
    if num == 45:
    continue
    print(num)

    >
    40
    41
    42
    43
    44
    46
    47
    48
    49
    50

    В случае continue происходит похожая ситуация, только прерывается лишь одна итерация, а сам же цикл продолжается.

    else

    Если два предыдущих оператора можно часто встречать за пределами Python, то else, как составная часть цикла, куда более редкий зверь. Эта часть напрямую связана с оператором break и выполняется лишь тогда, когда выход из цикла был произведен НЕ через break.

    group_of_students = [21, 18, 19, 21, 18]
    for age in group_of_students:
    if age < 18:
    break
    else:
    print('Всё в порядке, они совершеннолетние')

    > Всё в порядке, они совершеннолетние

    Best practice

    Цикл по списку

    Перебрать list в цикле не составляет никакого труда, поскольку список — объект итерируемый:

    # есть список
    entities_of_warp = ["Tzeench", "Slaanesh", "Khorne", "Nurgle"]
    # просто берём список, «загружаем» его в цикл и без всякой задней мысли делаем обход
    for entity in entities_of_warp:
    print(entity)

    >
    Tzeench
    Slaanesh
    Khorne
    Nurgle

    Так как элементами списков могут быть другие итерируемые объекты, то стоит упомянуть и о вложенных циклах. Цикл внутри цикла вполне обыденное явление, и хоть количество уровней вложенности не имеет пределов, злоупотреблять этим не следует. Циклы свыше второго уровня вложенности крайне тяжело воспринимаются и читаются.

    strange_phonebook = [
    ["Alex", "Andrew", "Aya", "Azazel"],
    ["Barry", "Bill", "Brave", "Byanka"],
    ["Casey", "Chad", "Claire", "Cuddy"],
    ["Dana", "Ditrich", "Dmitry", "Donovan"]
    ]
    # это список списков, где каждый подсписок состоит из строк
    # следовательно можно (зачем-то) применить тройной for
    # для посимвольного чтения всех имён
    # и вывода их в одну строку
    for letter in strange_phonebook:
    for name in letter:
    for character in name:
    print(character, end='')

    > A l e x A n d r e w A y a A z a z e l B a r ...

    Цикл по словарю

    Чуть более сложный пример связан с итерированием словарей. Обычно, при переборе словаря, нужно получать и ключ и значение. Для этого существует метод .items(), который создает представление в виде кортежа для каждого словарного элемента.

    Цикл, в таком случае, будет выглядеть следующим образом:

    # создадим словарь
    top_10_largest_lakes = {
    "Caspian Sea": "Saline",
    "Superior": "Freshwater",
    "Victoria": "Freshwater",
    "Huron": "Freshwater",
    }

    # обойдём его в цикле for и посчитаем количество озер с солёной водой и количество озёр с пресной
    salt = 0
    fresh = 0
    # пара "lake, water", в данном случае, есть распакованный кортеж, где lake - ключ словаря, а water - значение.
    # цикл, соответственно, обходит не сам словарь, а его представление в виде пар кортежей
    for lake, water in top_10_largest_lakes.items():
    if water == 'Freshwater':
    fresh += 1
    else:
    salt += 1
    print("Amount of saline lakes in top10: ", salt)
    print("Amount of freshwater lakes in top10: ", fresh)

    > Amount of saline lakes in top10: 1
    > Amount of freshwater lakes in top10: 3

    Цикл по строке

    Строки, по сути своей — весьма простые последовательности, состоящие из символов. Поэтому обходить их в цикле тоже совсем несложно.

    word = 'Alabama'
    for w in word:
    print(w, end=" ")

    > A l a b a m a

    Как сделать цикл for с шагом

    Цикл for с шагом создается при помощи уже известной нам функции range, куда, в качестве третьего по счету аргумента, нужно передать размер шага:

    # выведем числа от 100 до 1000 с шагом 150
    for nums in range(100, 1000, 150):
    print(nums)

    >
    100
    250
    400
    550
    700
    850

    Обратный цикл for

    Если вы еще не убедились в том, что range() полезна, то вот ещё пример: благодаря этой функции можно взять и обойти последовательность в обратном направлении.

    # выведем числа от 40 до 50 по убыванию
    # для этого установим step -1
    for nums in range(50, 39, -1):
    print(nums)

    >
    50
    49
    48
    47
    46
    45
    44
    43
    42
    41
    40

    for в одну строку

    Крутая питоновская фишка, основанная на так называемых list comprehensions или, по-русски, генераторов. Их запись, быть может, несколько сложнее для понимания, зато очевидно короче и, по некоторым данным, она работает заметно быстрее на больших массивах данных.

    В общем виде генератор выглядит так:

    [результирующее выражение | цикл | опциональное условие]

    Приведем пример, в котором продублируем каждый символ строки inputString:

    # здесь letter * 2 — результирующее выражение; for letter in inputString — цикл, а необязательное условие опущено
    double_letter = [letter * 2 for letter in "Banana"]

    print(double_letter)
    > ['BB', 'aa', 'nn', 'aa', 'nn', 'aa']

    Другой пример, но теперь уже с условием:

    # создадим список, что будет состоять из четных чисел от нуля до тридцати
    # здесь if x % 2 == 0 — необязательное условие
    even_nums = [x for x in range(30) if x % 2 == 0]

    print(even_nums)
    [0, 2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28]

    Overview

    Teaching: 30 min

    Exercises: 0 min

    Questions

    • How can I do the same operations on many different values?

    Objectives

    • Explain what a for loop does.

    • Correctly write for loops to repeat simple calculations.

    • Trace changes to a loop variable as the loop runs.

    • Trace changes to other variables as they are updated by a for loop.

    In the last lesson,
    we wrote some code that plots some values of interest from our first inflammation dataset,
    and reveals some suspicious features in it, such as from inflammation-01.csv

    Analysis of inflammation-01.csv

    We have a dozen data sets right now, though, and more on the way.
    We want to create plots for all of our data sets with a single statement.
    To do that, we’ll have to teach the computer how to repeat things.

    An example task that we might want to repeat is printing each character in a
    word on a line of its own.

    We can access a character in a string using its index. For example, we can get the first
    character of the word ‘lead’, by using word[0]. One way to print each character is to use
    four print statements:

    print(word[0])
    print(word[1])
    print(word[2])
    print(word[3])
    

    This is a bad approach for two reasons:

    1. It doesn’t scale:
      if we want to print the characters in a string that’s hundreds of letters long,
      we’d be better off just typing them in.

    2. It’s fragile:
      if we give it a longer string,
      it only prints part of the data,
      and if we give it a shorter one,
      it produces an error because we’re asking for characters that don’t exist.

    word = 'tin'
    print(word[0])
    print(word[1])
    print(word[2])
    print(word[3])
    
    
    ---------------------------------------------------------------------------
    IndexError                                Traceback (most recent call last)
    <ipython-input-3-7974b6cdaf14> in <module>()
          3 print(word[1])
          4 print(word[2])
    ----> 5 print(word[3])
    
    IndexError: string index out of range
    

    Here’s a better approach:

    word = 'lead'
    for char in word:
        print(char)
    
    

    This is shorter—certainly shorter than something that prints every character in a hundred-letter string—and
    more robust as well:

    word = 'oxygen'
    for char in word:
        print(char)
    

    The improved version uses a for loop
    to repeat an operation—in this case, printing—once for each thing in a sequence.
    The general form of a loop is:

    for element in variable:
        do things with element
    

    Using the oxygen example above, the loop might look like this:

    loop_image

    where each character (char) in the variable word is looped through and printed one character after another.
    The numbers in the diagram denote which loop cycle the character was printed in (1 being the first loop, and 6 being the final loop).

    We can call the loop variable anything we like,
    but there must be a colon at the end of the line starting the loop,
    and we must indent anything we want to run inside the loop. Unlike many other languages, there is no
    command to signify the end of the loop body (e.g. end for); what is indented after the for statement belongs to the loop.

    What’s in a name?

    In the example above, the loop variable was given the name char as a mnemonic; it is short for ‘character’. ‘Char’ is not a keyword in Python that pulls the characters from words or strings. In fact when a similar loop is run over a list rather than a word, the output would be each member of that list printed in order, rather than the characters.

    list = ['oxygen','nitrogen','argon']
    for char in list:
       print(char)
    
    oxygen
    nitrogen
    argon
    

    We can choose any name we want for variables. We might just as easily have chosen the name banana for the loop variable, as long as we use the same name when we invoke the variable inside the loop:

    word = 'oxygen'
    for banana in word:
       print(banana)
    
    o
    x
    y
    g
    e
    n
    

    It is a good idea to choose variable names that are meaningful, otherwise it would be more difficult to understand what the loop is doing.

    Here’s another loop that repeatedly updates a variable:

    length = 0
    for vowel in 'aeiou':
        length = length + 1
    print('There are', length, 'vowels')
    

    It’s worth tracing the execution of this little program step by step.
    Since there are five characters in 'aeiou',
    the statement on line 3 will be executed five times.
    The first time around,
    length is zero (the value assigned to it on line 1)
    and vowel is 'a'.
    The statement adds 1 to the old value of length,
    producing 1,
    and updates length to refer to that new value.
    The next time around,
    vowel is 'e' and length is 1,
    so length is updated to be 2.
    After three more updates,
    length is 5;
    since there is nothing left in 'aeiou' for Python to process,
    the loop finishes
    and the print statement on line 4 tells us our final answer.

    Note that a loop variable is just a variable that’s being used to record progress in a loop.
    It still exists after the loop is over,
    and we can re-use variables previously defined as loop variables as well:

    letter = 'z'
    for letter in 'abc':
        print(letter)
    print('after the loop, letter is', letter)
    
    a
    b
    c
    after the loop, letter is c
    

    Note also that finding the length of a string is such a common operation
    that Python actually has a built-in function to do it called len:

    len is much faster than any function we could write ourselves,
    and much easier to read than a two-line loop;
    it will also give us the length of many other things that we haven’t met yet,
    so we should always use it when we can.

    From 1 to N

    Python has a built-in function called range that creates a sequence of numbers. Range can
    accept 1-3 parameters. If one parameter is input, range creates an array of that length,
    starting at zero and incrementing by 1. If 2 parameters are input, range starts at
    the first and ends just before the second, incrementing by one. If range is passed 3 parameters,
    it starts at the first one, ends just before the second one, and increments by the third one. For
    example,
    range(3) produces the numbers 0, 1, 2, while range(2, 5) produces 2, 3, 4,
    and range(3, 10, 3) produces 3, 6, 9.
    Using range,
    write a loop that uses range to print the first 3 natural numbers:

    Solution

    for i in range(1, 4):
       print(i)
    

    Computing Powers With Loops

    Exponentiation is built into Python:

    Write a loop that calculates the same result as 5 ** 3 using
    multiplication (and without exponentiation).

    Solution

    result = 1
    for i in range(0, 3):
       result = result * 5
    print(result)
    

    Reverse a String

    Write a loop that takes a string,
    and produces a new string with the characters in reverse order,
    so 'Newton' becomes 'notweN'.

    Solution

    newstring = ''
    oldstring = 'Newton'
    for char in oldstring:
       newstring = char + newstring
    print(newstring)
    

    Computing the Value of a Polynomial

    The built-in function enumerate takes a sequence (e.g. a list) and generates a
    new sequence of the same length. Each element of the new sequence contains the index
    (0,1,2,…) and the value from the original sequence:

    for i, x in enumerate(xs):
        # Do something with i and x
    

    The loop above assigns the index to i and the value to x.

    Suppose you have encoded a polynomial as a list of coefficients in
    the following way: the first element is the constant term, the
    second element is the coefficient of the linear term, the third is the
    coefficient of the quadratic term, etc.

    y = cc[0] * x**0 + cc[1] * x**1 + cc[2] * x**2
    y = 97
    

    Write a loop using enumerate(cc) which computes the value y of any
    polynomial, given x and cc.

    Solution

    y = 0
    for i, c in enumerate(cc):
        y = y + x**i * c
    

    Key Points

    • Use for variable in sequence to process the elements of a sequence one at a time.

    • The body of a for loop must be indented.

    • Use len(thing) to determine the length of something that contains other values.

    Понравилась статья? Поделить с друзьями:
  • For await unexpected reserved word
  • Font weights in word
  • For auto letter word
  • Font weight in word
  • For all the saddest word