How can I read two variables from a txt file that are on the same line? in python

2.7k Views Asked by At

lets say you have a basic txt file with:

USERNAME(var1):PASSWORD(var2):VAR3
USERNAME(var1):PASSWORD(var2):VAR3
... etc...

And I want to be able to read that in my script/code as:

Username = var1
Password = var2
something = var3

And implement that like:

username = var1
password = var2
s.login(var1, var2)

file = open(var3, 'r')

I have been spitting through a lot of code, trying to reverse engineer some things, but it's not quite working out. If someone could shed some light that'd be great.

I need to make these lists myself, so I can use any separator I want (,, ;, : etc).

2

There are 2 best solutions below

4
On BEST ANSWER
with open('basic.txt') as f:
    for line in f:
        username, password, filename = line.split(':')
        print(username, password, filename)
1
On

If all lines have the same format, you can split a line in that file into your variables as follows:

a_line = "USERNAME(var1):PASSWORD(var2):VAR3"
Username,Password,something = a_line.split(':')

print(Username,Password,something)

The result is:

USERNAME(var1) PASSWORD(var2) VAR3

Or in more general way:

all_lines = []

with open('infile.txt','r') as fin:
    all_lines = fin.readlines()


for a_line in all_lines:
    Username,Password,something = a_line.split(':')
    print(Username,Password,something)