web-dev-qa-db-ja.com

Python Whileループ、and(&)演算子が機能しない

私は最大公約数を見つけようとしています。

低い値を1つ減らす悪い(操作集約型)アルゴリズムを作成し、%を使用して分子と分母の両方を均等に分割するかどうかを確認し、分割する場合はプログラムを終了します。ただし、whileループはand演算子を使用していないため、分子が分割可能になると、正解ではありませんが停止します。

私が使用している数値は54と42で、正しいGCD(最大公約数)は6です。

#heres a simple algorithm to find the greatest common denominator: 

iterations = 0; #used to calculate number of times while loop is executed

u = 54; v= 42; d = v-1; #u is the numerator, v is the denominator, d is the number decremented by one 

while ((v % d !=0) & (u % d != 0)): #while both numerator AND denominator cannot be evenly divided by the decremented number
 d -= 1 #decrement the number by one
 print d #print the number decremented
 iterations +=1 #add 1 to the count of iterations in while loop

print "the gcd is " +str(d) #should be 6 when the number can evenly divide both
print "the number of iterations was " +str(iterations) #display times it took algorithm to complete

私が得ている答えは27です。これは、27に達すると、54/27を均等に分割できると、停止します。 Pythonのwhileループでand演算子を使用する方法について何か考えはありますか?

ありがとう!

7
Blakedallen

ビットごとの演算子&の代わりに、キーワードandを使用する必要があります。

while (v % d != 0) and (u % d != 0): 

これも同じです:

while (v % d) and (u % d): 

&andは、最初のケースでは同じ結果になりますが、2番目のケースでは得られないことに注意してください。

ただし、問題は、orの代わりにandを使用したいということです。また、あなたのアルゴリズムは非常に非効率的です。 GCDを計算するためのより良い方法 があります。

18
Mark Byers

andキーワードを使用します。 &はビット単位の演算子です。

1
varunl