黄色电影一区二区,韩国少妇自慰A片免费看,精品人妻少妇一级毛片免费蜜桃AV按摩师 ,超碰 香蕉

Python 練習實例14

python 練習實例14

python 編程100例python 編程100例

題目:將一個正整數分解質因數。例如:輸入90,打印出90=2*3*3*5。

程序分析:對n進行分解質因數,應先找到一個最小的質數k,然后按下述步驟完成:
(1)如果這個質數恰等于n,則說明分解質因數的過程已經結束,打印出即可。
(2)如果n<>k,但n能被k整除,則應打印出k的值,并用n除以k的商,作為新的正整數你n,重復執(zhí)行第一步。
(3)如果n不能被k整除,則用k+1作為k的值,重復執(zhí)行第一步。

程序源代碼:

實例(python 2.0+):

#!/usr/bin/python
# -*- coding: utf-8 -*-
 
def reducenum(n):
    print '{} = '.format(n),
    if not isinstance(n, int) or n <= 0 :
        print '請輸入一個正確的數字 !'
        exit(0)
    elif n in [1] :
        print '{}'.format(n)
    while n not in [1] : # 循環(huán)保證遞歸
        for index in xrange(2, n + 1) :
            if n % index == 0:
                n /= index # n 等于 n/index
                if n == 1: 
                    print index 
                else : # index 一定是素數
                    print '{} *'.format(index),
                break
reducenum(90)
reducenum(100)

實例(python 3.0+):

#!/usr/bin/python3
 
def reducenum(n):
    print ('{} = '.format(n), end=" ")
    if not isinstance(n, int) or n <= 0 :
        print ('請輸入一個正確的數字 !')
        exit(0)
    elif n in [1] :
        print ('{}'.format(n))
    while n not in [1] : # 循環(huán)保證遞歸
        for index in range(2, n + 1) :
            if n % index == 0:
                n //= index # n 等于 n//index
                if n == 1: 
                    print (index )
                else : # index 一定是素數
                    print ('{} *'.format(index), end=" ")
                break
reducenum(90)
reducenum(100)

以上實例輸出結果為:

90 =  2 * 3 * 3 * 5
100 =  2 * 2 * 5 * 5

python 編程100例python 編程100例

下一節(jié):python 練習實例15

python 編程100例

相關文章