I'm trying to invert a dictionary. In the case of many keys having the same value, the new key (old value) should associate with a set of the new values (old keys). I solved the problem, but I'm trying to refactor using dictionary comprehension, and some helper methods.
def has_unique_value(k):
return d.values().count(d[k]) == 1
def keys_with_same_value_as_key(k):
return set([key for key in d.keys() if d[key] == d[k]])
print( {d[k]:k if has_unique_value(k) else d[k]:keys_with_same_value_as_key(k) for k in d.keys()} )
However, this raises a syntax error
print( {d[k]:k if has_unique_value(k) else d[k]:keys_with_same_value_as_key(k) for k in d} )
^
SyntaxError: invalid syntax
Hopefully the alignment in that code works right. It should point to the second :
, in the else
clause. Any idea what's up here? I've tried as many forms of parenthesizing as I can conceive.
The ternary expression can only be applied to one value and not to the equivalent of a dictionary assignment. Try this instead:
Your first approach would be similar to the following (which does not work):
Close!
The following code
Produces
The only difference is the second
d[k]:
is removed.In general, the ternary expression looks like
not something closer to what you had:
You specify where the value from the ternary expression should go once, at the beginning.
RE: Question in comments
This is still definitely a dictionary comprehension.
It's basically doing the following:
The only difference is that, in the dictionary comprehension, the
m
dictionary is not kept in the namespace (and the variablesorig_key
andorig_val
I used to clarify the code never exist).