Sorting a list: int object not callable - python

I have a long and complicated method, I'll give the important parts:
def get_itter(self, sort_by=0): #sort_by is set to 0 for debugging purposes
...
r = self.parser(self.in_file) # parse a csv file
...
if type(sort_by) == int:
r = [i for i in r]
sort = sorted(r, key=sort_by)
...
Now my problem is that when I run this code it gives me an error: TypeError: 'int' object is not callable. Why is it giving me this error?
P.S. I am relatively new to Python and am trying to add some functionality to code that I did not write.

You set:
sort_by=0
check it's an int
if type(sort_by) == int: # note: isinstance(sort_by, int) is preferred here
then use it:
sorted(r, key=sort_by)
When you pass a key to sorted, it tries to apply that key to all items in the sequence it's sorting, trying to call it with each item, something like:
sortvalues = [key(i) for i in seq]
If key is an integer, you can't call it:
0(1)
gives the TypeError you are seeing.
It's not clear exactly what you're trying to do, but if you want to sort by the sort_byth item in a sequence, you can use operator.itemgetter:
from operator import itemgetter
sorted(r, key=itemgetter(sort_by))

You set sort_by to 0 and then pass that as the key function to sorted. Python will call key as a function to define the sorting key, which isn't possible for 0.

Related

AttributeError: 'int' object has no attribute 'items'

I have this piece of code and I am trying to understand it and get the output, but I get the error:
AttributeError: 'int' object has no attribute 'items'
def my_func(A: Set[int], B: List[Dict[int, C]]) -> \
List[Dict[int, C]]:
D = []
for b in B:
E = dict()
for a, m in b.items():
if a in A:
E[a] = m
D.append(E)
return D
A is a set :
A={1,2}
and C is a dictionary:
my_dic = {
1: C(
X=11.0,
Y=34.25,
a=1
),
2: C(
X=51.76,
Y=50.63,
a=2,
)
}
I call the function
X=my_func(A,my_dic)
but it gives me error. I also converted the dictionary to the list and it still gives me error but this time: 'tuple' object has no attribute 'items'. Would you please help me to understand the code better and be able to run it?
You define your func as follows:
def my_func(A: Set[int], B: List[Dict[int, C]])
You say that B will be a list of dict's. But then you call:
X=my_func(A,my_dic)
Where you pass in a single dict instead of the list defined before.
However, later in the func, you refer to .items(), which is a method callable on a dict, but not on a list or an int. When you pass in a single dict instead of a list of dicts, your code is trying to iterate over the element you passed in. Normally you would iterate over the elements of the list. But since you've passed in a dict, it will iterate over the keys of the dict. But your keys are set as int's, so then the .items() call fails.
So you just have to tighten up your call structure.
To quickly comply, you can change:
X=my_func(A,my_dic)
to:
X=my_func(A, [my_dic,])
That should help... At least now you'll be passing in a list of dicts, even if it is just a list of length one.
Because you passed a dictioanry where you were expecting a list (of dictionaries), for b in B: is now looping over the keys of that dictionary. Each key is an int, which you call items on, leading to the error you're seeing.
Try:
X = my_func(A, [my_dic])
Note that Python type signatures in this scenario are not being enforced at runtime. You have specified a list of dictionaries with ints as keys, and C as the value type. Python will not step you from calling: my_func(A, 42) but you will get a runtime error.

TypeError when calling dict.keys in python

I have some code, in Python which (if it would work) should replace data in a string using a dictionary to do the replacement. eg. key would be the thing that gets replaced, and value would be the replaced data.
Code
def replace(data=str, options=dict):
for i in range(options.keys()):
data = data.replace(options.keys()[i], options.get(options.keys()[i]))
return data
However, when I call this function, it gives me this error, I have looked online and have found no way of fixing it.
for i in range(options.keys()):
TypeError: 'dict_keys' object cannot be interpreted as an integer
How I call this function:
test = {
"a":"b",
"c":"d"
}
replace("abcd", test)
def replace(data=str, options=dict):
for k, v in options.items():
data = data.replace(k, v)
return data

Can't use dict.values() with min func's key

I created a dict:
scores = {5: 35044.51299744237, 25: 29016.41319191076, 50: 27405.930473214907, 100: 27282.50803885739, 250: 27893.822225701646, 500: 29454.18598068598}
I can use min function with it using:
min(scores.keys(),key = lambda x: scores[x])
min(scores, key=scores.get)
but when I try to use:
min(scores.keys(),key = scores.values())
I get an error :
'dict_values' object is not callable
Could someone please explain why?
key must be a function callable with one parameter. values() is not a function, it's a view, a sequence of all values in the dict. And while scores.values is a function it's not callable with a parameter.
It's also unclear as to what you think your snippet would actually do even if it worked. What would looking for a key in the set of values do exactly?
You get 'dict_values' object is not callable because the key argument in min requires a callable object (an object that has __call__ method). In your case scores.values() returns an object with type <class 'dict_values'> that is not callable.
>>> dct = {}
>>> type(dct.values())
<class 'dict_values'>
>>> callable(dct.values())
False
If you wish to get the key with the minimal value, you should try something like this.
min(scores.items(), key=lambda x: x[1])[0]
Or with operator.itemgetter:
from operator import itemgetter
min(scores.items(), key=itemgetter(1))[0]
In other words, min applies key function to the elements provided by scores.items().
If you try scores.keys(), as in your question, min function knows nothing about its values. Though you still can do this:
min(scores.keys(), key=lambda key: scores[key])
But I wouldn't recommend this solution, because key function contains scores inside that can lead to undefined behavior in some cases.

using recursive function and structure type in python?

I have one json file which i want to iterate using recursive function , but how to check whether my json structure is string , array , list or object ?
If its array and inside array there are 5 objects how to access objects using recursive function in python ?
{{ID: 1234,Custid:23456,req:{name:abc,std:2}}{ID:2789,custid:56897}} this is the json...i read it using loads in data
Use recursion, and use type() or isinstance() to decide what to do.
def handle(x):
if isinstance(x, dict):
# do dict stuff
for key, val in x.items():
handle(val)
elif isinstance(x, list):
# do list stuff
for val in x:
handle(val)
elif isinstance(x, str):
# do string stuff
print(x)
elif isinstance(x, (int, float)):
# maybe integer, float, etc
print(x)
else:
print("None???")
d = json.loads(json_string)
handle(d)
Above recursive implementation will handle your use case of array in array, dict in array, etc
Use isinstance:
s='this is a string (str)'
if isinstance(s,str):
do something
Also able to do multiple like:
isinstance(s,(str,int))
Or more inefficient way by checking type:
if type(s) is str:
do something
This is able to use multiple like:
type(s) in (str,int)
But in these solutions i recommend to use isinstance

Python sort with key=lambda gets TypeError

I am trying to sort a list of objects in Python 3.4 based on the value of the data attribute of each object. If I use
db[count].sort(key=lambda a: a.data)
everything works fine. However, I want the sort to be case insensitive so I use
db[count].sort(key=lambda a: a.data.lower)
but then I get
db[count].sort(key=lambda a: a.data.lower)
TypeError: unorderable types: builtin_function_or_method() < builtin_function_or_method()
Any ideas?
key has to be a callable that returns a value to be sorted. In your case it returns another callable a.data.lower. You need to call lower in order to get the value, so the correct form is:
db[count].sort(key=lambda a: a.data.lower())
You are passing a reference to the lower method instead of calling it.
Try this:
db[count].sort(key=lambda a: a.data.lower())

Categories