Type error int object is not subscriptable

I'm trying to create a simple program that tells you your lucky number according to numerology. I keep on getting this error: File "number.py", line 12, in sumln = (int(sumall[0...

I’m trying to create a simple program that tells you your lucky number according to numerology. I keep on getting this error:

File "number.py", line 12, in <module>
    sumln = (int(sumall[0])+int(sumall[1]))
TypeError: 'int' object is not subscriptable

My script is:

birthday = raw_input("When is your birthday(mm/dd/yyyy)? ")
summ = (int(birthday[0])+int(birthday[1]))
sumd = (int(birthday[3])+int(birthday[4]))
sumy= (int(birthday[6])+int(birthday[7])+int(birthday[8])+int(birthday[9]))
sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumln = (int(sumall[0])+int(sumall[1]))
print "Your lucky number is", sumln`   

Prateek Gupta's user avatar

asked Jan 29, 2012 at 16:52

Cristal Isabel's user avatar

2

The error is exactly what it says it is; you’re trying to take sumall[0] when sumall is an int and that doesn’t make any sense. What do you believe sumall should be?

simhumileco's user avatar

simhumileco

30.1k16 gold badges132 silver badges110 bronze badges

answered Jan 29, 2012 at 16:54

Free Monica Cellio's user avatar

If you want to sum the digit of a number, one way to do it is using sum() + a generator expression:

sum(int(i) for i in str(155))

I modified a little your code using sum(), maybe you want to take a look at it:

birthday = raw_input("When is your birthday(mm/dd/yyyy)? ")
summ = sum(int(i) for i in birthday[0:2])
sumd = sum(int(i) for i in birthday[3:5])
sumy = sum(int(i) for i in birthday[6:10])
sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumln = sum(int(c) for c in str(sumall)))
print "Your lucky number is", sumln

answered Jan 29, 2012 at 17:35

Rik Poggi's user avatar

Rik PoggiRik Poggi

27.7k6 gold badges64 silver badges82 bronze badges

Just to be clear, all the answers so far are correct, but the reasoning behind them is not explained very well.

The sumall variable is not yet a string. Parentheticals will not convert to a string (e.g. summ = (int(birthday[0])+int(birthday[1])) still returns an integer. It looks like you most likely intended to type str((int(sumall[0])+int(sumall[1]))), but forgot to. The reason the str() function fixes everything is because it converts anything in it compatible to a string.

answered Jan 17, 2014 at 0:13

Anonymous Person's user avatar

sumall = summ + sumd + sumy

Your sumall is an integer. If you want the individual characters from it, convert it to a string first.

answered Jan 29, 2012 at 16:55

kindall's user avatar

kindallkindall

175k35 gold badges271 silver badges302 bronze badges

You can’t do something like that: (int(sumall[0])+int(sumall[1]))

That’s because sumall is an int and not a list or dict.

So, summ + sumd will be you’re lucky number

answered Jan 29, 2012 at 16:54

DonCallisto's user avatar

DonCallistoDonCallisto

29k9 gold badges72 silver badges99 bronze badges

Try this instead:

sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumall = str(sumall) # add this line
sumln = (int(sumall[0])+int(sumall[1]))
print "Your lucky number is", sumln

sumall is a number, and you can’t access its digits using the subscript notation (sumall[0], sumall[1]). For that to work, you’ll need to transform it back to a string.

answered Jan 29, 2012 at 17:00

Óscar López's user avatar

Óscar LópezÓscar López

230k37 gold badges309 silver badges383 bronze badges

this code works for summer_69. It looks too simple to be true :)

def summer_69(mylist):
    ignore = False
    sum = 0
    for i in mylist:
        if i == 6:
            ignore = True
        elif not ignore:
            sum = sum + i
        elif i == 9:
            ignore = False
        
    return sum

summer_69([1,2,2,6,3,7,9,3])

answered Sep 14, 2021 at 15:41

suganya's user avatar

1

I think the statement is self-explanatory.

[TypeError: ‘int’ object is not subscriptable]

You are trying to do something the computer can’t do. The data type «integer» cannot be subscripted. It should be a «string» to do that.

So, convert the integer data type to a string and you will be good to go. (Go back to the lessons on data types and subscription and come back.)

Keep up all the good work!!!

answered Oct 25, 2021 at 23:48

Rajitha Amarasinghe's user avatar

I’m trying to create a simple program that tells you your lucky number according to numerology. I keep on getting this error:

File "number.py", line 12, in <module>
    sumln = (int(sumall[0])+int(sumall[1]))
TypeError: 'int' object is not subscriptable

My script is:

birthday = raw_input("When is your birthday(mm/dd/yyyy)? ")
summ = (int(birthday[0])+int(birthday[1]))
sumd = (int(birthday[3])+int(birthday[4]))
sumy= (int(birthday[6])+int(birthday[7])+int(birthday[8])+int(birthday[9]))
sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumln = (int(sumall[0])+int(sumall[1]))
print "Your lucky number is", sumln`   

Prateek Gupta's user avatar

asked Jan 29, 2012 at 16:52

Cristal Isabel's user avatar

2

The error is exactly what it says it is; you’re trying to take sumall[0] when sumall is an int and that doesn’t make any sense. What do you believe sumall should be?

simhumileco's user avatar

simhumileco

30.1k16 gold badges132 silver badges110 bronze badges

answered Jan 29, 2012 at 16:54

Free Monica Cellio's user avatar

If you want to sum the digit of a number, one way to do it is using sum() + a generator expression:

sum(int(i) for i in str(155))

I modified a little your code using sum(), maybe you want to take a look at it:

birthday = raw_input("When is your birthday(mm/dd/yyyy)? ")
summ = sum(int(i) for i in birthday[0:2])
sumd = sum(int(i) for i in birthday[3:5])
sumy = sum(int(i) for i in birthday[6:10])
sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumln = sum(int(c) for c in str(sumall)))
print "Your lucky number is", sumln

answered Jan 29, 2012 at 17:35

Rik Poggi's user avatar

Rik PoggiRik Poggi

27.7k6 gold badges64 silver badges82 bronze badges

Just to be clear, all the answers so far are correct, but the reasoning behind them is not explained very well.

The sumall variable is not yet a string. Parentheticals will not convert to a string (e.g. summ = (int(birthday[0])+int(birthday[1])) still returns an integer. It looks like you most likely intended to type str((int(sumall[0])+int(sumall[1]))), but forgot to. The reason the str() function fixes everything is because it converts anything in it compatible to a string.

answered Jan 17, 2014 at 0:13

Anonymous Person's user avatar

sumall = summ + sumd + sumy

Your sumall is an integer. If you want the individual characters from it, convert it to a string first.

answered Jan 29, 2012 at 16:55

kindall's user avatar

kindallkindall

175k35 gold badges271 silver badges302 bronze badges

You can’t do something like that: (int(sumall[0])+int(sumall[1]))

That’s because sumall is an int and not a list or dict.

So, summ + sumd will be you’re lucky number

answered Jan 29, 2012 at 16:54

DonCallisto's user avatar

DonCallistoDonCallisto

29k9 gold badges72 silver badges99 bronze badges

Try this instead:

sumall = summ + sumd + sumy
print "The sum of your numbers is", sumall
sumall = str(sumall) # add this line
sumln = (int(sumall[0])+int(sumall[1]))
print "Your lucky number is", sumln

sumall is a number, and you can’t access its digits using the subscript notation (sumall[0], sumall[1]). For that to work, you’ll need to transform it back to a string.

answered Jan 29, 2012 at 17:00

Óscar López's user avatar

Óscar LópezÓscar López

230k37 gold badges309 silver badges383 bronze badges

this code works for summer_69. It looks too simple to be true :)

def summer_69(mylist):
    ignore = False
    sum = 0
    for i in mylist:
        if i == 6:
            ignore = True
        elif not ignore:
            sum = sum + i
        elif i == 9:
            ignore = False
        
    return sum

summer_69([1,2,2,6,3,7,9,3])

answered Sep 14, 2021 at 15:41

suganya's user avatar

1

I think the statement is self-explanatory.

[TypeError: ‘int’ object is not subscriptable]

You are trying to do something the computer can’t do. The data type «integer» cannot be subscripted. It should be a «string» to do that.

So, convert the integer data type to a string and you will be good to go. (Go back to the lessons on data types and subscription and come back.)

Keep up all the good work!!!

answered Oct 25, 2021 at 23:48

Rajitha Amarasinghe's user avatar

Table of Contents
Hide
  1. What is Subscriptable in Python?
  2. How do you make an object Subscriptable?
  3. How to Fix TypeError: ‘int’ object is not subscriptable?
    1. Solution
  4. Conclusion

In Python, we use Integers to store the whole numbers, and it is not a subscriptable object. If you treat an integer like a subscriptable object, the Python interpreter will raise TypeError: ‘int’ object is not subscriptable.

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

Subscriptable” means that you’re trying to access an element of the object. The elements are usually accessed using indexing since it is the same as a mathematical notation that uses actual subscripts.

How do you make an object Subscriptable?

In Python, any objects that implement the __getitem__ method in the class definition are called subscriptable objects, and by using the  __getitem__  method, we can access the elements of the object.

For example, strings, lists, dictionaries, tuples are all subscriptable objects. We can retrieve the items from these objects using indexing.

Note: Python doesn't allow to subscript the NoneType if you do Python will raise TypeError: 'NoneType' object is not subscriptable

How to Fix TypeError: ‘int’ object is not subscriptable?

Let us take a small example to read the birth date from the user and slice the day, months and year values into separate lines.

birth_date = int(input("Please enter your birthdate in the format of (mmddyyyy) "))

birth_month = birth_date[0:2]
birth_day = birth_date[2:4]
birth_year = birth_date[4:8]

print("Birth Month:", birth_month)
print("Birth Day:", birth_day)
print("Birth Year:", birth_year)

If you look at the above program, we are reading the user birth date as an input parameter in the mmddyy format.

Then to retrieve the values of the day, month and year from the user input, we use slicing and store it into a variable.

When we run the code, Python will raise a TypeError: ‘int’ object is not subscriptable.

Please enter your birthdate in the format of (mmddyyyy) 01302004
Traceback (most recent call last):
  File "C:PersonalIJSCodemain.py", line 3, in <module>
    birth_month = birth_date[0:2]
TypeError: 'int' object is not subscriptable

Solution

 In our example, we are reading the birth date as input from the user and the value is converted to an integer. 

The integer values cannot be accessed using slicing or indexing, and if we do that, we get the TypeError. 

To solve this issue, we can remove the int() conversion while reading the input from the string. So now the birth_date will be of type string, and we can use slicing or indexing on the string variable.

Let’s correct our example and run the code.

birth_date = input("Please enter your birthdate in the format of (mmddyyyy) ")

birth_month = birth_date[0:2]
birth_day = birth_date[2:4]
birth_year = birth_date[4:8]

print("Birth Month:", birth_month)
print("Birth Day:", birth_day)
print("Birth Year:", birth_year)

Output

Please enter your birthdate in the format of (mmddyyyy) 01302004
Birth Month: 01
Birth Day: 30
Birth Year: 2004

The code runs successfully since the int() conversion is removed from the code, and slicing works perfectly on the string object to extract a day, month and year.

Conclusion

The TypeError: ‘int’ object is not subscriptable error occurs if we try to index or slice the integer as if it is a subscriptable object like list, dict, or string objects.

The issue can be resolved by removing any indexing or slicing to access the values of the integer object. If you still need to perform indexing or slicing on integer objects, you need to first convert that into strings or lists and then perform this operation.

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.

In this post, we will learn how to Fix TypeError: int object is not Subscriptable Python. The Python object strings, lists, tuples, and dictionaries are subscribable because they implement the __getitem__ method and the subscript operator [] is used to access the element by index in Python from subscriptable objects. Whereas integer is not a Subscriptable object and is used to store the whole number. An integer number can’t be accessed by index.

1. What is TypeError: int object is not Subscriptable


Whenever we perform a subscriptable objects operation on an integer like treating an integer variable as an array and accessing an element using subscript operator [] then “TypeError: int object is not Subscriptable” is encountered.

In the below example we have demonstrated TypeError: ‘int’ object is not Subscriptable, We have asked the user to input some integer value and display it using a print statement. But when we have accessed the integer value using subscript operator [] then TypeError is encountered because we are treating the integer variable as an array.

number = int(input("Please enter a integer value: "))
print("You have entered:", number)
print( number[0])

Output

print( number[0])
TypeError: 'int' object is not subscriptable
  • TypeError:NoneType object is not subscriptable
  • ValueError: Cannot convert non-finite values (NA or inf) to integer

2. Solution to TypeError:‘int’ object is not Subscriptable


In the above example, we have taken input from the user and converted it into an integer by using the python built-in function int() and tried to access it by using the Index position then we encountered with TypeError the solution for the type error not converting the input value to an integer or can be resolved by avoiding slicing and indexing while the accessed value of integer object.

number = input("Please enter a integer value: ")
print("You have enetered:", number)
print( number[0])

Output

Please enter a integer value: 36912
You have enetered: 36912
3

3. TypeError:‘int’ object is not Subscriptable Pandas


In this example, we are finding the sum of Pandas dataframe column “Marks” that has int type. While applying the Lambda function on the ‘Marks’ column using index notation or subscript operator and encountering with TypeError: ‘int’ object is not subscriptable in Pandas.

import pandas as pd
 
data = {
    'Name': ['Jack', 'Jack', 'Max', 'David'],
    'Marks':[97,97,100,100],
    'Subject': ['Math', 'Math', 'Math', 'Phy']
}
 
dfobj = pd.DataFrame(data)
print(dfobj.dtypes)
 
MarksGross = lambda x: int(x[1])
dfobj.Marks = dfobj.Marks.apply(MarksGross)

Print(dfobj.Marks.sum())

Output

  MarksGross = lambda x: int(x[1])
TypeError: 'int' object is not subscriptable

4. How to fix TypeError: int object is not Subscriptable Pandas


To solve Type Error with Pandas dataframe, We have not applied the lambda function using index notation instead use int(x) pass value of x inside () brackets.

import pandas as pd
 
data = {
    'Name': ['Jack', 'Jack', 'Max', 'David'],
    'Marks':[97,97,100,100],
    'Subject': ['Math', 'Math', 'Math', 'Phy']
}
 
dfobj = pd.DataFrame(data)
print(dfobj.dtypes)
 
MarksGross = lambda x: int(x)
dfobj.Marks = dfobj.Marks.apply(MarksGross)

print(dfobj.Marks.sum())

Output

Name       object
Marks       int64
Subject    object
dtype: object
394

Summary

In this post, we have learned how to fix TypeError: int object is not Subscriptable with examples. This error occurs when we try to access an integer variable value by index.

Posted by Marta on February 2, 2023 Viewed 11341 times

Card image cap

In this article, I will explain the main reason why you will encounter the Typeerror: ‘int’ object is not subscriptable error and a few different ways to fix it. I think it is essential to understand why this error occurs since a good understanding will help you avoid it in the future. And as consequence you will write better more reliable code.

This tutorial contains some code examples and possible ways to fix the error.

Typeerror: ‘int’ object is not subscriptable

The TypeError exception indicates that the operation executed is not supported or not meant to be. You will usually get this error when you pass to a function, arguments of the wrong type. In this case, I called a method that is not implemented by the class you are using.

The following code is the simplest case where you will encounter this error.

var_integer = 1
var_list = [3,5]

print(var_list[0])  
print(var_integer[0])

Output:

Traceback (most recent call last):
  File line 5, in <module>
    print(var_integer[0])
TypeError: 'int' object is not subscriptable

The error will occur at line 5 because I am trying to access item #0 of a collection; however, the variable is an integer number. When I try to access the item of a collection, behind the scene, python will call an internal method called__getitem__ . The integer type doesn’t implement this method since the integer type is a scalar(a plain number).

‘float’ object is not subscriptable

The float type is also a scalar type; therefore, using any container type of operation, like accessing an item, will return this error.

Here is an example. The following code will throw the typerror at line 5

var_float = 1.0
var_list = [3,5]

print(var_list[0])  
print(var_float[0]) # Error

Output:

Traceback (most recent call last):
File line 11, in <module>
	print(var_float[0]) 
TypeError: 'float' object is not subscriptable

You can avoid this error just by removing the square brackets at line 5

Case 1: Example

Let’s see another code example where this Typeerror ‘int’ object is not subscriptable error occurs. Say that I want to write a program to calculate my lucky number based on my birth date. I will calculate my lucky number by adding all digits of my date of birth, in format dd/mm/yyyy, and then adding up the digits of the total. Here is an example:

Date of birth: 04/08/1984
4+8+1+9+8+4=34
3+4=7
Lucky number is 7

Here is the code I initially wrote to do this calculation:

birthday = '04/08/1984'

sum_month_digits = (int(birthday[0])+int(birthday[1]))
sum_day_digits = (int(birthday[3])+int(birthday[4]))
sum_year_digits= (int(birthday[6])+int(birthday[7])+int(birthday[8])+int(birthday[9]))

sum_all = sum_month_digits + sum_day_digits + sum_year_digits
lucky_number= (int(sum_all[0])+int(sum_all[1]))

print("Lucky number is", lucky_number)

Output:

Traceback (most recent call last):
File line 8, in <module>
	lucky_number= (int(sum_all[0])+int(sum_all[1]))
TypeError: 'int' object is not subscriptable

The error occurs at line #8. The reason is that the variable sum_all is an integer, not a string. Therefore I can’t treat this variable as a container and try to access each individual number. To fix this error, I could convert the sum_all variable to a string and then use the square brackets to access the digits.

lucky_number= (int(str(sum_all)[0])+int(str(sum_all)[1]))

The String type is a container like type, meaning that you can access each character using the index access. See the below example:

var_string='Hello'
print(var_string[0])

Output:

Case 2: Typeerror: ‘int’ object is not subscriptable json

Let’s see another scenario where this type error could arise. This error can also occur when you are working with JSON. As in the previous example, you will encounter the error when you treat a scalar variable, int or float, as a container and try to access by index.

Here is an example. The code below creates a product_json variable that contains a JSON with some products and information such as product name, category ,and product stock available. I would like to calculate the total stock available for all products.

import json
products_json='''
    {"products":
        [{"product":
            {"name":"Bike",
             "category":"sports",
             "stock": 4}
        },
        {"product":
            {"name":"Lamp",
             "category":"home",
             "stock": "3"}
        },
        {"product":
            {"name":"Table",
             "category":"home",
             "stock": "1"}
        }]
    }'''
products = json.loads(products_json)
products= products['products']
stock_list = [int(product['product']['stock'][0]) for product in products]
print(sum(stock_list))

Output:

Traceback (most recent call last):
  File line 22, in <listcomp>
    stock_list = [int(product['product']['stock'][0]) for product in products]
TypeError: 'int' object is not subscriptable

What is this code doing? The code will first parse the JSON text, capture the stock number for each product, and add up these numbers to get the total stock.

Why does the error occur? This error is in line 22. In this line, I am grabbing each stock, expected it to be a string, grab the first digit, and then convert it to an integer. Where is the problem? Double-checking the stock field carefully, you will see that the stock field is a number type for the first product but string for the rest.

     "stock": 4}  # Issue is here
   	 "stock": "3"}
     "stock": "1"}

Solution

The best way to solve this problem is to change the stock field for all products, so they are all numbers. I can do that just by removing the double-quotes. And next removing the ‘access by index’ at line 22. I can’t use access by index because the stock field is now an int. Let’s see how the code looks like after fixing it:

import json
products_json='''
    {"products":
        [{"product":
            {"name":"Bike",
             "department":"sports",
             "stock": 4}
        },
        {"product":
            {"name":"Lamp",
             "department":"home",
             "stock": 3} #Removed double quotes
        },
        {"product":
            {"name":"Table",
             "department":"home",
             "stock": 1} #Removed double quotes
        }]
    }'''
products = json.loads(products_json)
products= products['products']
stock_list = [int(product['product']['stock']) for product in products] #Removed access by index
print(sum(stock_list))

The above is just a simple example, but I think It helps get a better understanding of this error. The better you understand these errors, the easier it is for you to avoid them when you are programming.

Conclusion

To summarise, when you encounter this error is important to double-check all access by index operation, the square bracket, and make sure you are just using them against container variables, such as lists, strings, tuples, etc. I hope this helps, and thanks for reading and supporting this blog. Happy Coding!

Recommended articles

bytes to string
tkinter progress bar
check django version
dfs in python

Some objects in Python are subscriptable. This means that they contain, or can contain, other objects. Integers are not a subscriptable object. They are used to store whole numbers. If you treat an integer like a subscriptable object, an error will be raised.

In this guide, we’re going to talk about the “typeerror: ‘int’ object is not subscriptable” error and why it is raised. We’ll walk through a code snippet with this problem to show how you can solve it in your code. Let’s begin!

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.

The Problem: typeerror: ‘int’ object is not subscriptable

We’ll start by taking a look at our error message:

typeerror: 'int' object is not subscriptable

The first part of our error message, TypeError, states the type of our error. A TypeError is an error that is raised when you try to perform an operation on a value that does not support that operation. Concatenating a string and an integer, for instance, raises a TypeError.

The second part of our message informs us of the cause.

This message is telling us that we are treating an integer, which is a whole number, like a subscriptable object. Integers are not subscriptable objects. Only objects that contain other objects, like strings, lists, tuples, and dictionaries, are subscriptable.

Let’s say you try to use indexing to access an item from a list:

email_providers = ["Gmail", "Outlook", "ProtonMail"]

print(email_providers[2])

This code returns: ProtonMail. Lists are subscriptable which means you can use indexing to retrieve a value from a list.

You cannot use this same syntax on a non-subscriptable value, like a float or an integer.

An Example Scenario

We’re going to write a program that asks a user for the date on which their next holiday starts and prints out each value on a separate line. This program will have an error that we can solve.

Let’s start by writing our main program:

holiday = int(input("When does your holiday begin? (mmddyyyy) "))

month = holiday[0:2]
day = holiday[2:4]
year = holiday[4:8]

print("Month:", month)
print("Day:", day)
print("Year:", year)

This program asks a user to insert the day on which their holiday begins using an input() statement. Then, we use slicing to retrieve the values of the month, day, and year that the user has specified. These values are stored in variables.

Next, we print out the values of these variables to the console. Each value is given a label which states the part of the date to which the value corresponds.

Let’s run our code:

Traceback (most recent call last):
  File "main.py", line 3, in <module>
	month = holiday[0:1]
TypeError: 'int' object is not subscriptable

Let’s fix this error.

The Solution

We have converted the value of “holiday” into an integer. This means that we cannot access it using slicing or indexing. Integers are not indexed like strings.

To solve this problem, we can remove the int() statement from our code. The input() statement returns a string value. We can slice this string value up using our code.

Let’s revise our input() statement:

holiday = input("When does your holiday begin? (mmddyyyy) ")

Now, let’s try to run our code:

When does your holiday begin? (mmddyyyy) 02042021
Month: 02
Day: 04
Year: 2021

Our code runs successfully! We are no longer trying to slice an integer because our code does not contain an int() statement. Instead, “holiday” is stored as a string. This string is sliced using the slicing syntax.

Conclusion

The “typeerror: ‘int’ object is not subscriptable” error is raised when you try to access an integer as if it were a subscriptable object, like a list or a dictionary.

To solve this problem, make sure that you do not use slicing or indexing to access values in an integer. If you need to perform an operation only available to subscriptable objects, like slicing or indexing, you should convert your integer to a string or a list first.

Now you’re ready to solve this Python TypeError like an expert!

Понравилась статья? Поделить с друзьями:
  • Type error failed to fetch перевод
  • Type error cannot read property of undefined
  • Type casting error python
  • Type 1 error statistics
  • Txt process terminated stopped on error working