how to only keep certain characters in a string [duplicate] - python

This question already has answers here:
Keeping only certain characters in a string using Python?
(3 answers)
Closed 1 year ago.
I'm just a beginner so this might be a stupid question but, I'm trying to remove every character from a string except the ones in a list
for example:
you have a string H][e,l}l.o1;4.I want only letters and numbers in the output.
It should look like this:
Hello14
Does anyone have any idea what needs to come behind the str1 = or any other methods?
This is what I tried so far:
def stringCleaner(s):
# initialize an empty string
str1 = " "
chars = set('0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ')
for x in range(len(s)):
if any((c in chars) for c in s):
str1=
return str1

It will be better to simply iterate over your input string and create a list of allowed characters and join() the list into a string again at the end.
def stringCleaner(s):
# initialize an empty list
str1 = []
chars = set('0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ')
for c in s:
if c in chars:
str1.append(c)
return ''.join(str1)
And then you should be able to see that its only a few short steps to get even better code such as the answer that #user1740577 has posted.

You can for any char in s check in chars list and .join() all of them if exist in chars list.
Try this:
def stringCleaner(s):
chars = set('0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ')
return ''.join(c for c in s if c in chars)
stringCleaner('H][e,l}l.o1;4.I')
# 'Hello14I'

Related

Check if any character in one string appears in another [duplicate]

This question already has answers here:
Find common characters between two strings
(5 answers)
Closed 2 months ago.
I have a string of text
hfHrpphHBppfTvmzgMmbLbgf
I have separated this string into two half's
hfHrpphHBppf,TvmzgMmbLbgf
I'd like to check if any of the characters in the first string, also appear in the second string, and would like to class lowercase and uppercase characters as separate (so if string 1 had a and string 2 had A this would not be a match).
and the above would return:
f
split_text = ['hfHrpphHBppf', 'TvmzgMmbLbgf']
for char in split_text[0]:
if char in split_text[1]:
print(char)
There is probably a better way to do it, but this a quick and simple way to do what you want.
Edit:
split_text = ['hfHrpphHBppf', 'TvmzgMmbLbgf']
found_chars = []
for char in split_text[0]:
if char in split_text[1] and char not in found_chars:
found_chars.append(char)
print(char)
There is almost certainly a better way of doing this, but this is a way of doing it with the answer I already gave
You could use the "in" word.
something like this :
for i in range(len(word1) :
if word1[i] in word2 :
print(word[i])
Not optimal, but it should print you all the letter in common
You can achieve this using set() and intersection
text = "hfHrpphHBppf,TvmzgMmbLbgf"
text = text.split(",")
print(set(text[0]).intersection(set(text[1])))
You can use list comprehension in order to check if letters from string a appears in string b.
a='hfHrpphHBppf'
b='TvmzgMmbLbgf'
c=[x for x in a if x in b]
print(' '.join(set(c)))
then output will be:
f
But you can use for,too. Like:
a='hfHrpphHBppf'
b='TvmzgMmbLbgf'
c=[]
for i in a:
if i in b:
c.append(i)
print(set(c))

How to delete the following characters in a string with python? [duplicate]

This question already has answers here:
How do I remove a substring from the end of a string?
(23 answers)
Closed 1 year ago.
How can I delete the following characters in a string: '.SW'. Characters to remove are '.SW' in the following example:
stock = 'RS2K.SW'
original_string = stock
characters_to_remove = ".SW"
new_string = original_string
for character in characters_to_remove:
new_string = new_string.replace(character, "")
stocketf = new_string
print (stocketf)
Result should be:
RS2K
My actual wrong result is:
R2K
There are a few ways to choose from as the existing answers demonstrate. Another way, if these characters always come at the end, could be to just split your string on the '.' character and keep the first section:
stock = 'RS2K.SW'
new_string = stock.split(.)[0]
In this case, it looks like that you could just remove the last three characters.
my_str = my_str[:-3]
Otherwise, I would suggest using Regex
In this case this should be a valid solution for your answer:
stock = 'RS2K.SW'
original_string = stock
characters_to_remove = ".SW"
new_string =
stock[:original_string.index(characters_to_remove)]
print(new_string)

Removing all numeric characters in a string, python [duplicate]

This question already has answers here:
Removing numbers from string [closed]
(8 answers)
Closed 5 years ago.
Im looking to remove every single number in a string. More specifically, i'm looking to remove all numbers in the following codes string
Comp_String = "xxf1,aff242342"
how can one do this. (Obviously inside the code). I have found many answers to questions about removing the actual parts of the code that are letters but not numbers. Please explain aswell what your code is actually doing
You can find the answer here
Removing numbers from string
From this answer:
comp_string = "xxf1,aff242342"
new_string = ''.join([i for i in comp_string if not i.isdigit()])
It creates a new string using .join from a list. That list is created using a list comprehension that iterates through characters in your original string, and excludes all digits.
This will remove any characters that ARE NOT letters, by going through each character and only adding it to the output if it is a letter:
output_string = ""
for char in Comp_String:
if char.isalpha():
output_string = output_string + char
This will remove any characters that ARE numbers, by going through each character and only adding it to the output if it is not a number:
output_string = ""
for char in Comp_String:
if not char.isdigit():
output_string = output_string + char
You can do it with regular expressions using the https://docs.python.org/3.6/library/re.html module. The only regex you need is \d, which notates digits.
from re import sub
comp_string = "xxf1,aff242342"
print(sub(pattern=r"\d", repl=r"", string=comp_string))

Removing vowels in function give me empty output [duplicate]

This question already has answers here:
Correct code to remove the vowels from a string in Python
(13 answers)
Closed 6 years ago.
I wrote this function in Python which takes string as an input and the outputs the same string with all chars in lower case, with vowels removed. It's not working as expected, why is that?
def removingVowels(string):
string.lower()
vowels = ['a','e','i','o','u']
for char in string:
if char in vowels:
del string[char]
return string
print (removingVowels("HadEEl"))
Strings are immutable in Python, so you cannot delete a character from them. You need to create a new string.
You would do something like this:
>>> def removingVowels(string):
... string=string.lower()
... return ''.join([c for c in string if c not in 'aeiou'])
...
>>> removingVowels("HadEEl")
'hdl'
How it works:
string=string.lower() You need to assign the result of the string.lower() back to string. It is a common error in Python not to do that.
We then have a list comprehension that interates over the string character by character. The list comprehension builds a list of each character unless it is a member of the string 'aeiou'
The list needs to be joined character by character to form a new string. That is then retuned.

Count the number of unique characters in a string using only for loops and if/else operations [duplicate]

This question already has answers here:
List of all unique characters in a string?
(9 answers)
Closed 7 months ago.
I am supposed to find the number of unique characters in a string.
Here's the catch, no arrays or even while loops (although for loop can accomplish this). I can't seem to do it without writing a bunch of ridiculous if-else statements under a for loop checking each char value against each other.
Use this:
len(set("stackoverflow")) # returns 12
Since you said you are not allowed to use set and thus the solution Christian recommended: len(set('aabbcd'))
You can solve it using a for loop like you wanted to like so:
string = 'aabbcd'
unique = []
for char in string[::]:
if char not in unique:
unique.append(char)
print(len(unique))
Output: 4
Please do upload your attempts next time though and let us try and help you with why those did not work. This website isn't for doing homework your assignments for you.
Edit: Replaced list() that you also said you couldn't use.
Count the number of unique characters in a string Python using only for loops and ifel operations
To count the number of unique ASCII letters in a string s:
import string
s = 'AabC'
s = s.lower()
print(sum(1 for c in string.ascii_lowercase if s.count(c) == 1))
If you want to count upper/lower case letters separately then remove s.lower() line and use string.ascii_letters instead of string.ascii_lowercase. The result may differ from len(set(s)) if there could be other symbols in the string such as punctuations e.g., ':!'
So not allowed are; 'while loops', 'sets', 'arrays' (and lists I assume)..
You can create a string with all unique characters and loop through those with a for loop, this way you don't need a list, array array or while loop.
letters = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz,.?*&^%$##!etc"
def unique_count(some_string):
letter_count = 0
for letter in letters:
if letter in some_string:
letter_count += 1
return letter_count
print(unique_count("whatEver#")
// this will print 9 (because E != e )
Perhaps not as elegant because of the long string to match against, but it meets the requirement of not using lists, arrays or while loop.
You can do this way by using only for loop and by applying len() function on list.
def unique_count(word):
k=list()
for x in word:
if x not in k:
k.append(x)
return len(k)
print(unique_count("stackoverflow is goOd"))
//prints 17 because case sensitive and count whitespace
you can also make a function and call it whenever you want just by passing the argument.
def unique_count(word):
k=list()
for x in word:
if x not in k:
k.append(x)
return len(k)
print(unique_count("stackoverflow is goOd"))
//prints 17

Categories