I'm generating all vectors respecting some symmetry groups using itertools in python.
Basically all is just permutation of x,y,z axis and sign. I'm just not sure what is the best way to ensure that equivalent vectors are not duplicated E.g.
- 0 = -0 therefore sign permuations of
[1, 2, 0]
should be just[[1, 2, 0], [1, -2, 0], [-1, 2, 0], [-1, -2, 0]]
itertools.permutations( 'AAB' )
should produce[('A', 'B', 'A'), ('B', 'A', 'A'), ('A', 'A', 'B')]
i.e. not duplicating each elements by exchange of equvalentA
My current solution:
to remove dumplicate I pass it through a set
like lst = list(set(lst))
. But I don't like to create a lot of garbage which is filtered out later. Also it arbitrarily change order of elements. Also it set can be created just form hashable elements (e.g. tuples, but not lists or numpy arrays ) which requires conversion.
# using itertools.product and set filer
def signPermut( t ):
lst = []
n = len(t)
for signs in itertools.product( [-1,1], repeat=n):
p = [ ti*si for ti,si in zip(t,signs) ]
lst.append(tuple(p))
#return lst
return list(set(lst))
This function does the sign permutation with checking for zeros, but it is probably very inefficient:
def permutSign( t ):
lst = [ [] ]
for c in t:
lst_ = []
if c != 0:
for p in lst:
lst_.append(p+[ c])
lst_.append(p+[-c])
else:
for p in lst:
lst_.append( p+[c])
lst = lst_
return lst
It is working, but I was thinking maybe there is something prefabricated ... more efficient, simple and pythonic
how about creating a list with the signs and using
itertools.product
over that:or in one go:
this way there is a lot less work to do inside the loop.