Python 2.
Es ist ziemlich effizient, weil es die Zahlen konstruiert (die innerste Schleife wird insgesamt 4570 Mal ausgeführt) und ziemlich kurz, weil ich ein wenig Golf gespielt habe (201 Zeichen), aber ich bin mir nicht sicher, ob ich das erklären möchte :)
p=lambda t,a,d:((x,y)for x in range(10)for y in[(t-x-a)%10]if(x not in d)&(y not in d)and x-y)
w=lambda s:[s]if len(s)==10and s[:5]<s[5:]else(m for n in p(2-len(s)/2%2,sum(s[-2:])/10,s)for m in w(s+n))
Die zurückgegebenen Werte sind jedoch ziemlich eigenartig: Rufen Sie w
mit einem leeren Tupel auf, und Sie erhalten einen Iterator mit 10 Tupeln. Diese 10 Tupel sind leider die Ziffern der beiden Zahlen rückwärts und abwechselnd , dh das Tupel
(2, 0, 8, 3, 7, 4, 9, 1, 6, 5)
repräsentiert die Nummern 51430 und 69782.
Prüfung:
result = list(w(()))
assert len(set(result)) == 192 # found all values
assert len(result) == 192 # and no dupes
for digits in result:
assert all(0 <= d <= 9 for d in digits) # real digits -- zero through nine
assert len(set(digits)) == 10 # all digits distinct
n1 = int("".join(map(str, digits[9::-2])))
n2 = int("".join(map(str, digits[8::-2])))
assert n1 + n2 == 121212 # sum is correct
Hier ist die ungolfed Version:
ppcalls = 0 # number of calls to possiblePairs
ppyields = 0 # number of pairs yielded by possiblePairs
ppconstructed = 0 # number of construced pairs; this is the number
# of times we enter the innermost loop
def possiblePairs(theirSumMod10, addition, disallowed):
global ppcalls, ppyields, ppconstructed
ppcalls += 1
for a in range(10):
b = (theirSumMod10 - a - addition) % 10
ppconstructed += 1
if a not in disallowed and b not in disallowed and a != b:
ppyields += 1
yield (a, b)
def go(sofar):
if len(sofar) == 10:
if sofar[:5] < sofar[5:]: # dedupe
yield sofar
digitsum = 2 - (len(sofar) / 2) % 2 # 1 or 2, alternating
for newpair in possiblePairs(digitsum, sum(sofar[-2:]) / 10, sofar):
for more in go(sofar + newpair):
yield more
list(go(())) # iterate
print ppcalls # 457
print ppyields # 840
print ppconstructed # 4570