I have an excel file with multiple tags in the format of key-value pairs. I want to perform some tasks using the value of each tag only when a key has a value. When is it best to introduce a variable for storing the value? In advance or right after the check of the value that actually exists, and won’t exit the function immediately, thus there is a meaning to reserve space for that? Note, that this function will run hundreds of times scanning multiple tags in that file.
JavaScript
x
7
1
def getValue(file):
2
if (file.myValue == ""):
3
return "Empty string"
4
myVal = file.myValue
5
# now do stuff using the variable `myVal` that I have just declared/initialised
6
# ...
7
OR
JavaScript
1
8
1
def getValue(file):
2
myVal = file.myValue
3
if (myVal == ""):
4
return "Empty string"
5
6
# do stuff using the variable `myVal` I have already declared/initialized in advance
7
# ...
8
Advertisement
Answer
In Python >= 3.8, you can use a named assignment to avoid that pattern:
JavaScript
1
5
1
def getValue(file):
2
if (myVal := file.myValue) == "":
3
return "Empty string"
4
# do stuff with myVal
5
Otherwise I’d do the assignment first:
JavaScript
1
5
1
def getValue(file):
2
myVal = file.myValue
3
if myVal == "":
4
return "Empty string"
5
It may not make a difference in terms of performance (minute, if anything), but it reduces code length with no cost to readability.