So I currently have this code to read an accounts.txt file that looks like this:
username1:password1
username2:password2
username3:password3
I then have this (thanks to a member here) read the accounts.txt file and split it at the username and password so I can later print it. When I try to print line 1 with the username and password separate with this code:
with open('accounts.txt') as f:
credentials = [x.strip().split(':') for x in f.readlines()]
for username,password in credentials:
print username[0]
print password[0]
It prints out this:
j
t
a
2
a
3
(These are the three lines I have in the text file, properly split, however it's printing all the lines and only the first letter of each line.)
I've tried a few different methods with no luck. Anyone have an idea on what to do?
Thank you for all your help. It's really appreciated. This is my second day programming and I apologize for such a simple question.
username
andpassword
are strings. When you do this to a string, you get the first character in the string:Don't do that. Just
print username
.Some further explanation.
credentials
is a list of lists of strings. It looks like this when you print it out:To get one username/password pair, you could do this:
print credentials[0]
. The result would be this:Or if you did
print credentials[1]
, this:You can also do a thing called "unpacking," which is what your for loop does. You can do it outside a for loop too:
The result would be
And again, if you take a string like
'username1'
and take a single element of it like so:You get a single letter,
u
.