1996-11-27 15:52:01 -04:00
|
|
|
#! /usr/bin/env python
|
1991-06-04 17:36:54 -03:00
|
|
|
|
1991-12-18 09:45:17 -04:00
|
|
|
# Factorize numbers.
|
|
|
|
# The algorithm is not efficient, but easy to understand.
|
|
|
|
# If there are large factors, it will take forever to find them,
|
|
|
|
# because we try all odd numbers between 3 and sqrt(n)...
|
1991-06-04 17:36:54 -03:00
|
|
|
|
|
|
|
import sys
|
|
|
|
from math import sqrt
|
|
|
|
|
|
|
|
def fact(n):
|
2009-10-10 18:55:11 -03:00
|
|
|
if n < 1:
|
|
|
|
raise ValueError('fact() argument should be >= 1')
|
|
|
|
if n == 1:
|
|
|
|
return [] # special case
|
2004-07-18 02:56:09 -03:00
|
|
|
res = []
|
2009-10-10 18:55:11 -03:00
|
|
|
# Treat even factors special, so we can use i += 2 later
|
|
|
|
while n % 2 == 0:
|
2004-07-18 02:56:09 -03:00
|
|
|
res.append(2)
|
2009-10-10 18:55:11 -03:00
|
|
|
n //= 2
|
2004-07-18 02:56:09 -03:00
|
|
|
# Try odd numbers up to sqrt(n)
|
2009-10-10 18:55:11 -03:00
|
|
|
limit = sqrt(n+1)
|
2004-07-18 02:56:09 -03:00
|
|
|
i = 3
|
|
|
|
while i <= limit:
|
2009-10-10 18:55:11 -03:00
|
|
|
if n % i == 0:
|
2004-07-18 02:56:09 -03:00
|
|
|
res.append(i)
|
2009-10-10 18:55:11 -03:00
|
|
|
n //= i
|
2004-07-18 02:56:09 -03:00
|
|
|
limit = sqrt(n+1)
|
|
|
|
else:
|
2009-10-10 18:55:11 -03:00
|
|
|
i += 2
|
2004-07-18 02:56:09 -03:00
|
|
|
if n != 1:
|
|
|
|
res.append(n)
|
|
|
|
return res
|
1991-06-04 17:36:54 -03:00
|
|
|
|
|
|
|
def main():
|
2004-07-18 02:56:09 -03:00
|
|
|
if len(sys.argv) > 1:
|
2009-10-10 18:55:11 -03:00
|
|
|
source = sys.argv[1:]
|
2004-07-18 02:56:09 -03:00
|
|
|
else:
|
2009-10-10 18:55:11 -03:00
|
|
|
source = iter(raw_input, '')
|
|
|
|
for arg in source:
|
2004-07-18 02:56:09 -03:00
|
|
|
try:
|
2009-10-10 18:55:11 -03:00
|
|
|
n = int(arg)
|
|
|
|
except ValueError:
|
|
|
|
print arg, 'is not an integer'
|
|
|
|
else:
|
|
|
|
print n, fact(n)
|
1991-06-04 17:36:54 -03:00
|
|
|
|
2004-09-11 13:34:35 -03:00
|
|
|
if __name__ == "__main__":
|
|
|
|
main()
|