Python ошибка int object is not callable

Typeerror: int object is not callable – How to Fix in Python

In Python, a “Typeerror” occurs when you use different data types in an operation.

For example, if you attempt to divide an integer (number) by a string, it leads to a typeerror because an integer data type is not the same as a string.

One of those type errors is the “int object is not callable” error.

The “int object is not callable” error occurs when you declare a variable and name it with a built-in function name such as int(), sum(), max(), and others.

The error also occurs when you don’t specify an arithmetic operator while performing a mathematical operation.

In this article, I will show you how the error occurs and what you can do to fix it.

How to Fix Typeerror: int object is not callable in Built-in Function Names

If you use a built-in function name as a variable and call it as a function, you’ll get the “int object is not callable” error.

For instance, the code below attempts to calculate the total ages of some kids with the built-in sum() function of Python. The code resulted in an error because the same sum has already been used as a variable name:

kid_ages = [2, 7, 5, 6, 3]

sum = 0
sum = sum(kid_ages)
print(sum)

Another example below shows how I tried to get the oldest within those kids with the max() function, but I had declared a max variable already:

kid_ages = [2, 7, 5, 6, 3]

max = 0
max = max(kid_ages)
print(max)

Both code examples led to this error in the terminal:
error

To fix the issue, you need to change the name of the variable you named as a built-in function so the code can run successfully:

kid_ages = [2, 7, 5, 6, 3]

sum_of_ages = 0
sum = sum(kid_ages)
print(sum)

# Output: 23
kid_ages = [2, 7, 5, 6, 3]

max_of_ages = 0
max = max(kid_ages)
print(max)

# Output: 7

If you get rid of the custom variables, your code will still run as expected:

kid_ages = [2, 7, 5, 6, 3]

sum = sum(kid_ages)
print(sum)

# Output: 23
kid_ages = [2, 7, 5, 6, 3]

max = max(kid_ages)
print(max)

# Output: 7

How to Fix Typeerror: int object is not callable in Mathematical Calculations

In Mathematics, if you do something like 4(2+3), you’ll get the right answer which is 20. But in Python, this would lead to the Typeerror: int object is not callable error.
ss2-2

To fix this error, you need to let Python know you want to multiply the number outside the parentheses with the sum of the numbers inside the parentheses.

To do this, you do this by specifying a multiplication sign (*) before the opening parenthesis:

print(4*(2+3))

#Output: 20

Python allows you to specify any arithmetic sign before the opening parenthesis.

So, you can perform other calculations there too:

print(4+(2+3))

# Output: 9
print(4-(2+3))

# Output: -1
print(4/(2+3))

# Output: 0.8

Final Thoughts

The Typeerror: int object is not callable is a beginner error in Python you can avoid in a straightforward way.

As shown in this article, you can avoid the error by not using a built-in function name as a variable identifier and specifying arithmetic signs where necessary.

Thank you for reading.



Learn to code for free. freeCodeCamp’s open source curriculum has helped more than 40,000 people get jobs as developers. Get started

Table of Contents
Hide
  1. What is TypeError: the ‘int’ object is not callable?
  2. Scenario 1: When you try to call the reserved keywords as a function
    1. Solution
  3. Scenario 2: Missing an Arithmetic operator while performing the calculation
    1. Solution
  4. Conclusion

The TypeError: the ‘int’ object is not a callable error occurs if an arithmetic operator is missed while performing the calculations or the reserved keywords are declared as variables and used as functions, 

In this tutorial, we will learn what int object is is not callable error means and how to resolve this TypeError in your program with examples.

There are two main scenarios where developers try to call an integer.

  1. When you try to call the reserved keywords as a function
  2. Missing an Arithmetic operator while performing the calculation

Scenario 1: When you try to call the reserved keywords as a function

Using the reserved keywords as variables and calling them as functions are developers’ most common mistakes when they are new to Python. Let’s take a simple example to reproduce this issue.


item_price = [10, 33, 55, 77]
sum = 0
sum = sum(item_price)
print("The sum of all the items is:", str(sum))

Output

Traceback (most recent call last):
  File "c:PersonalIJSCodemain.py", line 4, in <module>
    sum = sum(item_price)
TypeError: 'int' object is not callable

If you look at the above code, we have declared the sum as a variable. However, in Python, the sum() is a reserved keyword and a built-in method that adds the items of an iterable and returns the sum.

Since we have declared sum as a variable and used it as a function to add all the items in the list, Python will throw TypeError.

Solution

We can fix this error by renaming the sum variable to total_price, as shown below.

item_price = [10, 33, 55, 77]
total_price = 0
total_price = sum(item_price)
print("The sum of all the items is:", str(total_price))

Output

The sum of all the items is: 175

Scenario 2: Missing an Arithmetic operator while performing the calculation

While performing mathematical calculations, if you miss an arithmetic operator within your code, it leads to TypeError: the ‘int’ object is not a callable error.

Let us take a simple example to calculate the tax for the order. In order to get the tax value, we need to multiply total_value*(tax_percentage/100).


item_price = [10, 23, 66, 45]
tax_percentage = 5
total_value = sum(item_price)
tax_value = total_value(5/100)
print(" The tax amount for the order is:", tax_value)

Output

Traceback (most recent call last):
  File "c:PersonalIJSCodemain.py", line 8, in <module>
    tax_value = total_value(5/100)
TypeError: 'int' object is not callable

We have missed out on the multiplication operator while calculating the tax value in our code, leading to TypeError by the Python interpreter.

Solution

We can fix this issue by adding a multiplication (*) operator to our code, as shown below.

item_price = [10, 23, 66, 45]
tax_percentage = 5
total_value = sum(item_price)
tax_value = total_value*(5/100)
print(" The tax amount for the order is:", tax_value)

Output

 The tax amount for the order is: 7.2

Conclusion

The TypeError: the ‘int’ object is not a callable error raised when you try to call the reserved keywords as a function or miss an arithmetic operator while performing mathematical calculations.

Developers should keep the following points in mind to avoid the issue while coding.

  • Use descriptive and unique variable names. 
  • Never use any built-in function, modules, reserved keywords as Python variable names.
  • Ensure that arithmetic operators is not missed while performing calculations.
  • Do not override built-in functions like sum(), round(), and use the same methods later in your code to perform operations.

Avatar Of Srinivas Ramakrishna

Srinivas Ramakrishna is a Solution Architect and has 14+ Years of Experience in the Software Industry. He has published many articles on Medium, Hackernoon, dev.to and solved many problems in StackOverflow. He has core expertise in various technologies such as Microsoft .NET Core, Python, Node.JS, JavaScript, Cloud (Azure), RDBMS (MSSQL), React, Powershell, etc.

Sign Up for Our Newsletters

Subscribe to get notified of the latest articles. We will never spam you. Be a part of our ever-growing community.

By checking this box, you confirm that you have read and are agreeing to our terms of use regarding the storage of the data submitted through this form.

Error TypeError: ‘int’ object is not callable

This is a common coding error that occurs when you declare a variable with the same name as inbuilt int() function used in the code. Python compiler gets confused between variable ‘int’ and function int() because of their similar names and therefore throws typeerror: ‘int’ object is not callable error.

To overcome this problem, you must use unique names for custom functions and variables.

Example

##Error Code

#Declaring and Initializing a variable
int = 5;
#Taking input from user {Start}
productPrice = int(input("Enter the product price : "))
productQuantity = int(input("Enter the number of products : "))
#Taking input from user {Ends}

# variable to hold the value of effect on the balance sheet
# after purchasing this product.
costOnBalanceSheet = productPrice * productQuantity
#printing the output
print(costOnBalanceSheet) 

Output

Enter the product price : 2300
Traceback (most recent call last):
  File "C:UsersWebartsolAppDataLocalProgramsPythonPython37-32intObjectnotCallable.py", line 3, in <module>
    productPrice = int(input("Enter the product price : "))
TypeError: 'int' object is not callable

In the example above we have declared a variable named `int` and later in the program, we have also used the Python inbuilt function int() to convert the user input into int values.

Python compiler takes “int” as a variable, not as a function due to which error “TypeError: ‘int’ object is not callable” occurs.

How to resolve typeerror: ‘int’ object is not callable

To resolve this error, you need to change the name of the variable whose name is similar to the in-built function int() used in the code.

#Code without error

#Declaring and Initializing a variable
productType = 5;
#Taking input from user {Start}
productPrice = int(input("Enter the product price : "))
productQuantity = int(input("Enter the number of products : "))
#Taking input from user {Ends}

# variable to hold the value of effect on the balance sheet
# after purchasing this product
costOnBalanceSheet = productPrice * productQuantity
#printing the output
print(costOnBalanceSheet)

OUTPUT:

Enter the product price : 3500
Enter the number of products : 23
80500 

In the above example, we have just changed the name of variable “int” to “productType”.

How to avoid this error?

To avoid this error always keep the following points in your mind while coding:

  • Use unique and descriptive variable names
  • Do not use variable name same as python in-built function name, module name & constants
  • Make the function names descriptive and use docstring to describe the function

In this article, we will be discussing the TypeError: “int” Object is not callable exception. We will also be through solutions to this problem with example programs.

Why Is This Error Raised?

  1. “int” is used as a variable name.
  2. Arithmetic Operator not provided when calculating integers.
  3. Placing parentheses after a number

Using int As A Variable, Name

Variable declaration using in-built names or functions is a common mistake in rookie developers. An in-built name is a term with its value pre-defined by the language itself. That term can either be a method or an object of a class.

int is an in-built Python keyword. As we discussed, it is not advisable to use pre-defined names as variable names. Although using a predefined name will not throw any exception, the function under the name will no longer be re-usable.

Let’s refer to the following example:

myNums = [56,13,21,54]
sum = 0
sum = sum(myNums)
print("sum of myNums list: ", sum)

Output and Explanation

TypeError: "int" Object Is Not Callable

Srinivas Ramakrishna is a Solution Architect and has 14+ Years of Experience in the Software Industry. He has published many articles on Medium, Hackernoon, dev.to and solved many problems in StackOverflow. He has core expertise in various technologies such as Microsoft .NET Core, Python, Node.JS, JavaScript, Cloud (Azure), RDBMS (MSSQL), React, Powershell, etc.

Sign Up for Our Newsletters

Subscribe to get notified of the latest articles. We will never spam you. Be a part of our ever-growing community.

By checking this box, you confirm that you have read and are agreeing to our terms of use regarding the storage of the data submitted through this form.

Error TypeError: ‘int’ object is not callable

This is a common coding error that occurs when you declare a variable with the same name as inbuilt int() function used in the code. Python compiler gets confused between variable ‘int’ and function int() because of their similar names and therefore throws typeerror: ‘int’ object is not callable error.

To overcome this problem, you must use unique names for custom functions and variables.

Example

##Error Code

#Declaring and Initializing a variable
int = 5;
#Taking input from user {Start}
productPrice = int(input("Enter the product price : "))
productQuantity = int(input("Enter the number of products : "))
#Taking input from user {Ends}

# variable to hold the value of effect on the balance sheet
# after purchasing this product.
costOnBalanceSheet = productPrice * productQuantity
#printing the output
print(costOnBalanceSheet) 

Output

Enter the product price : 2300
Traceback (most recent call last):
  File "C:UsersWebartsolAppDataLocalProgramsPythonPython37-32intObjectnotCallable.py", line 3, in <module>
    productPrice = int(input("Enter the product price : "))
TypeError: 'int' object is not callable

In the example above we have declared a variable named `int` and later in the program, we have also used the Python inbuilt function int() to convert the user input into int values.

Python compiler takes “int” as a variable, not as a function due to which error “TypeError: ‘int’ object is not callable” occurs.

How to resolve typeerror: ‘int’ object is not callable

To resolve this error, you need to change the name of the variable whose name is similar to the in-built function int() used in the code.

#Code without error

#Declaring and Initializing a variable
productType = 5;
#Taking input from user {Start}
productPrice = int(input("Enter the product price : "))
productQuantity = int(input("Enter the number of products : "))
#Taking input from user {Ends}

# variable to hold the value of effect on the balance sheet
# after purchasing this product
costOnBalanceSheet = productPrice * productQuantity
#printing the output
print(costOnBalanceSheet)

OUTPUT:

Enter the product price : 3500
Enter the number of products : 23
80500 

In the above example, we have just changed the name of variable “int” to “productType”.

How to avoid this error?

To avoid this error always keep the following points in your mind while coding:

  • Use unique and descriptive variable names
  • Do not use variable name same as python in-built function name, module name & constants
  • Make the function names descriptive and use docstring to describe the function

In this article, we will be discussing the TypeError: “int” Object is not callable exception. We will also be through solutions to this problem with example programs.

Why Is This Error Raised?

  1. “int” is used as a variable name.
  2. Arithmetic Operator not provided when calculating integers.
  3. Placing parentheses after a number

Using int As A Variable, Name

Variable declaration using in-built names or functions is a common mistake in rookie developers. An in-built name is a term with its value pre-defined by the language itself. That term can either be a method or an object of a class.

int is an in-built Python keyword. As we discussed, it is not advisable to use pre-defined names as variable names. Although using a predefined name will not throw any exception, the function under the name will no longer be re-usable.

Let’s refer to the following example:

myNums = [56,13,21,54]
sum = 0
sum = sum(myNums)
print("sum of myNums list: ", sum)

Output and Explanation

  1. Variable myNums is a list of 4 integers.
  2. A variable sum is initialized with the value 0
  3. The sum of myNums list is calculated using sum() function and stored in sum variable.
  4. Results printed.

What went wrong here? In step 2, we initialize a variable sum with a value of 0. In Python, sum is a pre-defined function. When were try to use the sum function in step 3, it fails. Python only remembers sum as a variable since step 2. Therefore, sum() has lost all functionality after being declared as a variable.

Solution

Instead of using sum as a variable declaration, we can use more descriptive variable names that are not pre-defined (mySummySum, totalSum). Make sure to follow PEP 8 naming conventions.

myNums = [56,13,21,54]
totalSum = 0
totalSum= sum(myNums)
print("sum of myNums list: ", totalSum)

Correct Output

sum of myNums list:  144

Arithmetic Operator Not Provided When Calculating Integers

Failing to provide an arithmetic operator in an equation can lead to TypeError: “int” object is not callable. Let’s look at the following example:

prices = [44,54,24,67]
tax = 10
totalPrice = sum(prices)
taxAmount = totalPrice(tax/100)
print("total taxable amounr: ", taxAmount)

Output / Explanation

Arithmetic Operator Not Provided When Calculating Integers

  1. List of integers stored in the variable prices
  2. Tax percentage set to 10
  3. Total price calculated and stored in totalPrice
  4. Total Taxable amount calculated.
  5. Final result printed.

To calculate the taxable amount, we must multiply totalPrice with tax percentage. In step 4, while calculating taxAmount, the * operator is missing. Therefore, this gives rise to TypeError: "int" Object Is Not Callable

Solution

Denote all operators clearly.

prices = [44,54,24,67]
tax = 10
totalPrice = sum(prices)
taxAmount = totalPrice*(tax/100)
print("total taxable amounr: ", taxAmount)
total taxable amount:  18.900000000000002

Recommended Reading | [Solved] TypeError: ‘str’ object is not callable

Placing Parentheses After an Integer

Let’s look at the following code:

Output / Explanation

Placing Parentheses After an Integer

It is syntactically wrong to place parentheses following an integer. Similar to the previous section, It is vital that you ensure the correct operators.

Solution

Do not use brackets after a raw integer. Denote correct operators.

cursor.rowcount() TypeError: “int” Object Is Not Callable

Let’s look at the following code:

sample ="select * from myTable"
...
...
...
....
self.cur = self.con.cursor()
self.cur.execute(sample)              
print(self.cur.rowcount())

Error Output

TypeError: 'int' object is not callable

Solution

According to the sqlite3 documentation provided by Python, .rowcount is an attribute and not a function. Thereby remove the parenthesis after .rowcount.

sample ="select * from myTable"
...
...
...
....
self.cur = self.con.cursor()
self.cur.execute(sample)              
print(self.cur.rowcount)

Let’s refer to the following code.

contours,hierarchy = cv2.findContours(
thresh,cv2.RETR_CCOMP,cv2.CHAIN_APPROX_SIMPLE
)

...
...
...
...

if (hierarchy.size() > 0):
    numObj =hierarchy.size()

Error Output

   if (hierarchy.size() > 0):
TypeError: 'int' object is not callable

Solution

The  hierarchy object returned is a numpy.ndarray object. You should also note that the numpy.ndarray.size attribute is an integer, not a method. Therefore, they cause the exception.

if event.type == pygame.quit() TypeError: ‘int’ Object Is Not Callable

Let’s refer to the example code to move an image:

import pygame
import sys 

pygame.init()
...
...
...

while True:
    for i in pygame.event.get():
       if i.type() == pygame.QUIT:
            sys.exit()
    ...
    ...

Error Output

if i.type() == pygame.QUIT:
TypeError: 'int' object is not callable

Solution

The condition statement should be:

if i.type == pygame.QUIT:

Instead of the current:

if i.type() == pygame.QUIT:

Please note that type is a member of the class Event, not a function. Therefore, it is not required to pass parenthesis.

TypeError: ‘int’ Object Is Not Callable Datetime

Let’s refer to the following code:

from datetime import *
...
...
...

for single_date in daterange(start_date, end_date):
    if single_date.day() == 1 and single_date.weekday() == 6: 
        sundays_on_1st += 1 

Error Output

TypeError: 'int' object is not callable

Solution

.day is not a function but an attribute. Therefore passing parenthesis should be avoided.

from datetime import *
...
...
...

for single_date in daterange(start_date, end_date):
    if single_date.day == 1 and single_date.weekday() == 6: 
        sundays_on_1st += 1 

[Fixed] io.unsupportedoperation: not Writable in Python

FAQs

How do I fix TypeError int object is not callable?

You can fix this error by not using “int” as your variable name. This will avoid the cases where you want to convert the data type to an integer by using int().

What does TypeError int object is not callable mean?

Object not callable simply means there is no method defined to make it callable. Usually, parenthesis is used to call a function or object, or method.

Conclusion

We have looked at the exception TypeError: ‘int’ Object Is Not Callable. This error mostly occurs due to basic flaws in the code written. Various instances where this error appears have also been reviewed.

Other Errors You Might Get

  • [Solved] typeerror: unsupported format string passed to list.__format__

    [Solved] typeerror: unsupported format string passed to list.__format__

    May 31, 2023

  • Solving ‘Remote End Closed Connection’ in Python!

    Solving ‘Remote End Closed Connection’ in Python!

    by Namrata GulatiMay 31, 2023

  • [Fixed] io.unsupportedoperation: not Writable in Python

    [Fixed] io.unsupportedoperation: not Writable in Python

    by Namrata GulatiMay 31, 2023

  • [Fixing] Invalid ISOformat Strings in Python!

    [Fixing] Invalid ISOformat Strings in Python!

    by Namrata GulatiMay 31, 2023

Curly brackets in Python have a special meaning. They are used to denote a function invocation. If you specify a pair of curly brackets after an integer without an operator between them, Python thinks you’re trying to call a function. This will return an “TypeError: ‘int’ object is not callable” error.

In this guide, we talk about what this error means and why it is raised. We walk through two examples of this error to help you figure out what is causing it in your code.

Get offers and scholarships from top coding schools illustration

Find Your Bootcamp Match

  • Career Karma matches you with top tech bootcamps
  • Access exclusive scholarships and prep courses

Select your interest

First name

Last name

Email

Phone number

By continuing you agree to our Terms of Service and Privacy Policy, and you consent to receive offers and opportunities from Career Karma by telephone, text message, and email.

TypeError: ‘int’ object is not callable

Python functions are called using curly brackets. Take a look at a statement that calls a function called “calculate_tip”:

This function accepts two parameters. The values we have specified as parameters are 5 and 10. Because curly brackets have this special meaning, you cannot use them to call an integer.

The two most common scenarios where developers try to call an integer are when:

  • The value of a function has been reassigned an integer value
  • A mathematical operator is missing in a calculation

Let’s explore each of these scenarios one by one to help you fix the error you are facing.

Scenario #1: Function Has an Integer Value

Write a program that calculates the sum of all the tips the wait staff at a restaurant has received in a day. We start by declaring a list of tips and a variable which will store the cumulative value of those tips:

all_tips = [5, 10, 7.50, 9.25, 6.75]
sum = 0

Next, we use the sum() method to calculate the total number of tips the wait staff have received:

sum = sum(all_tips)
print("The total tips earned today amount to $" + str(sum) + ".")

The sum() method adds up all the values in an array. We then print out a message to the console informing us how much money was earned in tips. We use the str() method to convert the value of “sum” to a string so we can concatenate it to the string that contains our message.

Run our code:

Traceback (most recent call last):
  File "main.py", line 4, in <module>
	sum = sum(all_tips)
TypeError: 'int' object is not callable

Our code returns an error because we have assigned a variable called “sum” which stores an integer value. Assigning this variable overrides the built-in sum() method. This means that when we try to use the sum() method, our code evaluates:

total_tips = 0([5, 10, 7.50, 9.25, 6.75])

We can fix this error by renaming the variable “sum”:

all_tips = [5, 10, 7.50, 9.25, 6.75]
total_tips = 0

total_tips = sum(all_tips)
print("The total tips earned today amount to $" + str(total_tips) +".")

We’ve renamed the variable “sum” to “total_tips”. Let’s run our code again:

The total tips earned today amount to $38.5.

Our code runs successfully!

Scenario #2: Missing a Mathematical Operator

Write a program that calculates a number multiplied by that number plus one. For instance, if we specify 9 in our program, it will multiply 9 and 10.

Start by asking a user to insert a number:

start_number = int(input("What number would you like to multiply? "))

Next, we multiply the value of the “start_number” variable by the number one greater than that value:

new_number = start_number (start_number + 1)
print("{} multiplied by {} is {}.".format(start_number, start_number + 1, new_number))

Our code prints out a message informing us of the answer to our math question. Run our code and see what happens:

What number would you like to multiply? 9
Traceback (most recent call last):
  File "main.py", line 3, in <module>
	new_number = start_number (start_number + 1)
TypeError: 'int' object is not callable

Our code does not finish executing. This is because we’ve forgotten an operator in our code. In our “new_number” line of code, we need to specify a multiplication operator. This is because Python treats square brackets followed by a value as a function call.

Add in a multiplication operator (*) to our code:

new_number = start_number * (start_number + 1)

Now, our code should work:

What number would you like to multiply? 10
10 multiplied by 11 is 110.

Our code returns the expected response.

Conclusion

The “TypeError: ‘int’ object is not callable” error is raised when you try to call an integer.

This can happen if you forget to include a mathematical operator in a calculation. This error can also occur if you accidentally override a built-in function that you use later in your code, like round() or sum().

Now you’re ready to solve this common Python issue like a professional developer!

Понравилась статья? Поделить с друзьями:
  • Python логирование ошибок в файл
  • Python лог ошибок в файл
  • Python как узнать тип ошибки
  • Pubg ошибка не удалось выполнить инициализацию steam
  • Pubg ошибка не допускается вашей платформой