To remove the first item from a list in Python, you can use the pop() method. This method removes an item at a specific index, or the last item if no index is specified.  To remove the first item, you can specify an index of 0.

Here is an example, create a python file named remove-list.py
 

my_list_name = [1, 2, 3, 4, 5]

# Remove the first item from the list
my_first_item = my_list_name.pop(0)

print(my_first_item)  # Output: 1
print(my_list_name)  # Output: [2, 3, 4, 5]


Alternatively, you can also use slicing to remove the first item from the list. Here is an example:
 
my_list_name = [1, 2, 3, 4, 5]

# Remove the first item from the list
new_list = my_list_name[1:]

print(my_list_name)  # Output: [1, 2, 3, 4, 5]
print(new_list)  # Output: [2, 3, 4, 5]
 

This creates a new list that starts at the second item of the original list, so the first item is not included. 

Note that this does not modify the original list, it only creates a new list with the desired items.