How to use List Slicing In Python

Python allows us to do slicing inside a list. Slicing enables us to access some parts of the list. We can replace values inside the list using slicing. First, we find the index of variable that we want to replace and store it in variable ‘i’. Then, we replace that item with a new value using list slicing. Suppose we want to replace ‘Rahul’ with ‘Shikhar’ than we first find the index of ‘Rahul’ and then do list slicing and remove ‘Rahul’ and add ‘Shikhar’ in that place.

Syntax: l=l[:index]+[‘new_value’]+l[index+1:]

Python3




# Replace Values in a List using Slicing
 
# define list
l = ['Hardik', 'Rohit', 'Rahul', 'Virat', 'Pant']
 
# find the index of Rahul
i = l.index('Rahul')
 
# replace Rahul with Shikhar
l = l[:i]+['Shikhar']+l[i+1:]
 
# print list
print(l)


Output:

['Hardik', 'Rohit', 'Shikhar', 'Virat', 'Pant']

How to Replace Values in a List in Python?

In this article, we are going to see how to replace the value in a List using Python. We can replace values in the list in serval ways. Below are the methods to replace values in the list.

  • Using list indexing
  • Using for loop
  • Using while loop
  • Using lambda function
  • Using list slicing

Similar Reads

Method 1: Using List Indexing

We can access items of the list using indexing. This is the simplest and easiest method to replace values in a list in python. If we want to replace the first item of the list we can di using index 0. Here below, the index is an index of the item that we want to replace and the new_value is a value that should replace the old value in the list....

Method 2: Using For Loop

...

Method 3: Using While Loop

We can use for loop to iterate over the list and replace values in the list. Suppose we want to replace ‘Hardik’ and ‘Pant’ from the list with ‘Shardul’ and ‘Ishan’. We first find values in the list using for loop and if condition and then replace it with the new value....

Method 4: Using Lambda Function

...

Method 5: Using List Slicing

We can also use a while loop to replace values in the list. While loop does the same work as for loop. In the while loop first, we define a variable with value 0 and iterate over the list. If value matches to value that we want to replace then we replace it with the new value....

Method 6: Using functools.reduce method:

...

Contact Us