Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Printing specific items out of a list

I'm wondering how to print specific items from a list e.g. given:

li = [1,2,3,4]

I want to print just the 3rd and 4th within a loop and I have been trying to use some kind of for-loop like the following:

for i in range (li(3,4)):
    print (li[i])

However I'm Getting all kinds of error such as:

TypeError: list indices must be integers, not tuple.
TypeError: list object is not callable

I've been trying to change () for [] and been shuffling the words around to see if it would work but it hasn't so far.

like image 798
user3106855 Avatar asked Dec 11 '22 09:12

user3106855


1 Answers

Using slice notation you can get the sublist of items you want:

>>> li = [1,2,3,4]
>>> li[2:]
[3, 4]

Then just iterate over the sublist:

>>> for item in li[2:]:
...     print item
... 
3
4
like image 148
Chris Seymour Avatar answered Jan 20 '23 18:01

Chris Seymour