Method # 1: Using split()
The split
function is quite useful and is generally a fairly general method for Extract wordss from a list, but this approach does not work when we enter special characters into the list.
# Python3 demo code # count words in a line # using split () # initialization string test_string = "Geeksforgeeks is best Computer Science Portal" # print the original line print ( "The original string is:" + test_string) # using split () # read words in line res = len (test_string.split ()) # print result print ( "The number of words in string are:" + str (res)) |
Output:
The original string is: Geeksforgeeks is best Computer Science Portal
The number of words in string are: 6
Method # 2: Using regex(findall())
Regular expressions should be used when we need to handle cases of punctuation or special characters in line. This is the most elegant way to accomplish this task.
# Python3 demo code # count words on line # using regular expression (findall ()) import re # initializing string test_string = "Geeksforgeeks, is best @ # Computer Science Portal. !!! " # print original line print ( "The original string is: " + test _string) # using regular expression (findall ()) # count words in line res = len (re.findall (r ’w +’ , test_string)) # print result print ( "The number of words in string are: " + str (res)) |
Exit:
The original string is: Geeksforgeeks, is best @ # Computer Science Portal. !!!
The number of words in string are: 6
Method # 3: Using sum () + strip () + split ()
This method accomplishes this particular task without using regular expressions. In this method, we first check all words consisting of all alphabets, if so they are added to the sum and then returned.
# Python3 demo code # count words in a line # using sum () + strip () + split () import string # initialization string test_string = " Geeksforgeeks, is best @ # Computer Science Portal. !!! " # print the original line print ( " The origin al string is: " + test_string) # using sum () + strip () + split () # count words in the line res = sum ([i.strip (string.punctuation) .isalpha () for i in test_string.split ()]) # print result print ( " The number of words in string are: " + str (res)) |
Exit:
The original string is: Geeksforgeeks, is best @ # Computer Science Portal. !!!
The number of words in string are: 6