Python best way to remove char from string by index

Question:

I’m removing an char from string like this:

S = "abcd"
Index=1 #index of string to remove
ListS = list(S)
ListS.pop(Index)
S = "".join(ListS)
print S
#"acd"

I’m sure that this is not the best way to do it.

EDIT
I didn’t mentioned that I need to manipulate a string size with length ~ 10^7.
So it’s important to care about efficiency.

Can someone help me. Which pythonic way to do it?

Asked By: Alvaro Silvino

||

Answers:

You can bypass all the list operations with slicing:

S = S[:1] + S[2:]

or more generally

S = S[:Index] + S[Index + 1:]

Many answers to your question (including ones like this) can be found here: How to delete a character from a string using python?. However, that question is nominally about deleting by value, not by index.

Answered By: Mad Physicist

Slicing is the best and easiest approach I can think of, here are some other alternatives:

>>> s = 'abcd'
>>> def remove(s, indx):
        return ''.join(x for x in s if s.index(x) != indx)

>>> remove(s, 1)
'acd'
>>> 
>>> 
>>> def remove(s, indx):
        return ''.join(filter(lambda x: s.index(x) != 1, s))

>>> remove(s, 1)
'acd'

Remember that indexing is zero-based.

Answered By: Iron Fist

You can replace the Index character with “”.

str = "ab1cd1ef"
Index = 3
print(str.replace(str[Index],"",1))
Answered By: min2bro
def missing_char(str, n):

  n = abs(n)
  front = str[:n]   # up to but not including n
  back = str[n+1:]  # n+1 through end of string
  return front + back
Answered By: Kate Kiatsiri
S = "abcd"
Index=1 #index of string to remove
S = S.replace(S[Index], "")
print(S)

I hope it helps!

Answered By: akshaymittal143