Python: Get the first character of the first string in a list? Python: Get the first character of the first string in a list? python python

Python: Get the first character of the first string in a list?


You almost had it right. The simplest way is

mylist[0][0]   # get the first character from the first item in the list

but

mylist[0][:1]  # get up to the first character in the first item in the list

would also work.

You want to end after the first character (character zero), not start after the first character (character zero), which is what the code in your question means.


Get the first character of a bare python string:

>>> mystring = "hello">>> print(mystring[0])h>>> print(mystring[:1])h>>> print(mystring[3])l>>> print(mystring[-1])o>>> print(mystring[2:3])l>>> print(mystring[2:4])ll

Get the first character from a string in the first position of a python list:

>>> myarray = []>>> myarray.append("blah")>>> myarray[0][:1]'b'>>> myarray[0][-1]'h'>>> myarray[0][1:3]'la'

Many people get tripped up here because they are mixing up operators of Python list objects and operators of Numpy ndarray objects:

Numpy operations are very different than python list operations.

Wrap your head around the two conflicting worlds of Python's "list slicing, indexing, subsetting" and then Numpy's "masking, slicing, subsetting, indexing, then numpy's enhanced fancy indexing".

These two videos cleared things up for me:

"Losing your Loops, Fast Numerical Computing with NumPy" by PyCon 2015:https://youtu.be/EEUXKG97YRw?t=22m22s

"NumPy Beginner | SciPy 2016 Tutorial" by Alexandre Chabot LeClerc:https://youtu.be/gtejJ3RCddE?t=1h24m54s


Indexing in python starting from 0. You wrote [1:] this would not return you a first char in any case - this will return you a rest(except first char) of string.

If you have the following structure:

mylist = ['base', 'sample', 'test']

And want to get fist char for the first one string(item):

myList[0][0]>>> b

If all first chars:

[x[0] for x in myList]>>> ['b', 's', 't']    

If you have a text:

text = 'base sample test'text.split()[0][0]>>> b