strip characters from a string python code example

Example 1: take off character in python string

s = 'abc12321cba'

print(s.replace('a', ''))

Example 2: strip characters from string python regex

syntax
re.sub(pattern, repl, string, max=0)
#!/usr/bin/python
import re

phone = "2004-959-559 # This is Phone Number"

# Delete Python-style comments
num = re.sub(r'#.*$', "", phone)
print "Phone Num : ", num
#output Phone Num :  2004-959-559

# Remove anything other than digits
num = re.sub(r'\D', "", phone)    
print "Phone Num : ", num
#output Phone Num :  2004959559

Example 3: python strip characters

# Python3 program to demonstrate the use of 
# strip() method   
  
string = " python strip method test " 
  
# prints the string without stripping 
print(string)  
  
# prints the string by removing leading and trailing whitespaces 
print(string.strip())    
  
# prints the string by removing strip 
print(string.strip(' strip')) 
Output:
 python strip method test 
python strip method test
python method test

Example 4: python remove letters from string

string = "abc123"
# Method 1
''.join(char for char in string if char.isdigit())

#Method 2
import re
re.sub("[^0-9]", "", string)

Example 5: strip()

txt = ",,,,,rrttgg.....banana....rrr"
x = txt.strip(",.grt")
#outputs banana
print(x)

Example 6: python trim certain characters from string

string = '  xoxo love xoxo   '

# Leading and trailing whitespaces are removed
print(string.strip())

# All ,x,o,e characters in the left
# and right of string are removed
print(string.strip(' xoe'))

#

Tags: