convert all letters to lowercase python code example

Example 1: python lowercase

// turn to lower/upper
string = string.upper()
string = string.lower()

// check if all letter are lower or upper
string.islower()
string.isupper()

Example 2: python convert string to lowercase

# By Alan W. Smith and Petar Ivanov
s = "Kilometer"
print(s.lower())

Example 3: Python Program to count the number of lowercase letters and uppercase letters in a string.

string=raw_input("Enter string:")
count1=0
count2=0
for i in string:
      if(i.islower()):
            count1=count1+1
      elif(i.isupper()):
            count2=count2+1
print("The number of lowercase characters is:")
print(count1)
print("The number of uppercase characters is:")
print(count2)

Example 4: python all lowercase letters

import string
print string.ascii_lowercaseOutputabcdefghijklmnopqrstuvwxyz

Example 5: python - convert to lowercase

students = ['Sarah', 'Mary', 'Anna', 'Charlotte']

# Option 1
students_lower = map(lambda x: x.lower(), students)   # map() produces a generator
print(list(students_lower))                           # give all elements of the generator

# Option 2
students_lower = [student.lower() for student in students] # list comprehension

# Option 3
students_lower = (student.lower() for student in students) # generator comprehension
print(list(students_lower))