Borislav Hadzhiev
Last updated: Apr 20, 2022
Check out my new book
The Python "AttributeError: 'NoneType' object has no attribute 'endswith'"
occurs when we try to call the endswith()
method on a None
value, e.g.
assignment from function that doesn't return anything. To solve the error, make
sure to only call endswith()
on strings.
Here is a very simple example of how the error occurs.
my_string = None # ⛔️ AttributeError: 'NoneType' object has no attribute 'endswith' print(my_string.endswith('.com')) # ✅ if you need to check if not None before calling endswith() if my_string is not None: print('Variable is not None') print(my_string.endswith('.com')) else: print('Variable is None')
Trying to call the endswith()
method on a None
value is what causes the
error.
endswith()
on, it will be None
, so you have to track down where the variable gets assigned a None
value and correct or remove the assignment.The most common source of a None
value (other than an explicit assignment) is
a function that doesn't return anything.
# 👇️ this function returns None def get_string(): print('google.com') # 👇️ None my_string = get_string() # ⛔️ AttributeError: 'NoneType' object has no attribute 'endswith' print(my_string.endswith('.com'))
Notice that our get_string
function doesn't explicitly return a value, so it
implicitly returns None
.
endswith
which caused the error.The "AttributeError: 'NoneType' object has no attribute 'endswith'" occurs for multiple reasons:
None
implicitly).None
.If a variable might sometimes store a string and sometimes store None
, you can
explicitly check if the variable is not None
before you call endswith()
.
my_string = 'google.com' if my_string is not None: print(my_string.endswith('.com')) # 👉️ True print('Variable is not None') else: print('Variable is None')
The if
block will run only if the my_string
variable does not store a None
value, otherwise the else
block runs.
Another common cause of the error is having a function that returns a value only if a condition is met.
def get_string(a): if len(a) > 3: return a my_string = get_string('hi') print(my_string) # 👉️ None
The if
statement in the get_string
function is only ran if the passed in
string has a length greater than 3
.
None
.To solve the error in this scenario, you either have to check if the function
didn't return None
or return a default value if the condition is not met.
def get_string(a): if len(a) > 3: return a return '' my_string = get_string('hi') print(my_string) # 👉️ ""
Now the function is guaranteed to return a string regardless if the condition is met.