Find length of a string in python (4 ways)

 

Find length of a string in python (4 ways)

Strings in Python are immutable sequences of Unicode code points. Given a string, we need to find its length.

Examples:

Input : 'abc'
Output : 3

Input : 'hello world !'
Output : 13

Input : ' h e l   l  o '
Output :14


Methods:

  • Using the built-in function len. The built-in function len returns the number of items in a container.

    # Python code to demonstrate string length 
    # using len
      
    str = "geeks"
    print(len(str))
    Output:
    5
    
  • Using for loop and in operator. A string can be iterated over, directly in a for loop. Maintaining a count of the number of iterations will result in the length of the string.

    # Python code to demonstrate string length 
    # using for loop
      
    # Returns length of string
    def findLen(str):
        counter = 0    
        for i in str:
            counter += 1
        return counter
      
      
    str = "geeks"
    print(findLen(str))
    Output:
    5
    
  • Using while loop and Slicing. We slice a string making it shorter by 1 at each iteration will eventually result in an empty string. This is when while loop stops. Maintaining a count of the number of iterations will result in the length of the string.

    # Python code to demonstrate string length 
    # using while loop.
      
    # Returns length of string
    def findLen(str):
        counter = 0
        while str[counter:]:
            counter += 1
        return counter
      
    str = "geeks"
    print(findLen(str))
    Output:
    5
    
  • Using string methods join and count. The join method of strings takes in an iterable and returns a string which is the concatenation of the strings in the iterable. The separator between the elements is the original string on which the method is called. Using join and counting the joined string in the original string will also result in the length of the string.


    # Python code to demonstrate string length 
    # using join and count
      
    # Returns length of string
    def findLen(str):
        if not str:
            return 0
        else:
            some_random_str = 'py'
            return ((some_random_str).join(str)).count(some_random_str) + 1
      
    str = "geeks"
    print(findLen(str))
    Output:
    5

No comments:

Post a Comment

Your feedback is highly appreciated and will help us to improve our content.