3つ以上の数値の最小公倍数


152

複数の数値の最小公倍数をどのように計算しますか?

これまでのところ、2つの数値の間でしか計算できません。しかし、それを拡張して3つ以上の数値を計算する方法はわかりません。

これまでのところ、これは私がやった方法です

LCM = num1 * num2 /  gcd ( num1 , num2 )

gcdでは、数値の最大公約数を計算する関数です。ユークリッドアルゴリズムの使用

しかし、3つ以上の数値を計算する方法がわかりません。


74
これに宿題のタグを付けないでください。複数の金属板をプレートに取り付ける方法を見つけようとしています。同じプレートに異なる長さの金属を取り付ける方法を見つける必要があります。これを行うには、LCMとGCDが最適です。私は数学者ではなくプログラマーです。THatが私が尋ねた理由です。
paan

2
小さなシートを大きなシートに合わせる-2Dビンパッキング?
ハイパフォーマンスマーク

3
@HighPerformanceMark Tetris?
mbomb007

回答:


181

2つの数値のLCMを繰り返し計算することにより、3つ以上の数値のLCMを計算できます。

lcm(a,b,c) = lcm(a,lcm(b,c))

10
Ooooh教科書再帰:)
ピーターWone

10
再帰的アルゴリズムの定義は、必ずしも再帰的サブルーチンを意味するものではありません。これはループ内でかなり簡単に実装できます。完璧な答えをありがとう。
マリウス

144

Pythonの場合(変更されたprimes.py):

def gcd(a, b):
    """Return greatest common divisor using Euclid's Algorithm."""
    while b:      
        a, b = b, a % b
    return a

def lcm(a, b):
    """Return lowest common multiple."""
    return a * b // gcd(a, b)

def lcmm(*args):
    """Return lcm of args."""   
    return reduce(lcm, args)

使用法:

>>> lcmm(100, 23, 98)
112700
>>> lcmm(*range(1, 20))
232792560

reduce()そのように動作します:

>>> f = lambda a,b: "f(%s,%s)" % (a,b)
>>> print reduce(f, "abcd")
f(f(f(a,b),c),d)

1
Pythonに慣れていないのですが、reduce()は何をしますか?
paan

17
関数fとリストl = [a、b、c、d]を指定すると、reduce(f、l)はf(f(f(a、b)、c)、d)を返します。「lcmは、現在の値のlcmとリストの次の要素を繰り返し計算することで計算できます」の機能的な実装です。
A.レックス

4
3つ以上のパラメーターに適応できるソリューションを示すための+1
OnesimusUnbound

lcm関数をそれ自体を減らすことによってlcmm関数のように動作させることができますか?私の最初の考えは、2つの引数がある場合はlcm()を実行し、それ以外の場合はreduce()を実行することです。
内部石

1
@Hairyコンマは、Pythonでタプルを作成します。この場合、それは同等です:t = a; a = b; b = t % b
JFS

26

ECMAスタイルの実装は次のとおりです。

function gcd(a, b){
    // Euclidean algorithm
    var t;
    while (b != 0){
        t = b;
        b = a % b;
        a = t;
    }
    return a;
}

function lcm(a, b){
    return (a * b / gcd(a, b));
}

function lcmm(args){
    // Recursively iterate through pairs of arguments
    // i.e. lcm(args[0], lcm(args[1], lcm(args[2], args[3])))

    if(args.length == 2){
        return lcm(args[0], args[1]);
    } else {
        var arg0 = args[0];
        args.shift();
        return lcm(arg0, lcmm(args));
    }
}

2
「ECMAスタイル」の意味がわからないのは気分が悪い= /
freitass

15

私はこれを使います(C#):

static long LCM(long[] numbers)
{
    return numbers.Aggregate(lcm);
}
static long lcm(long a, long b)
{
    return Math.Abs(a * b) / GCD(a, b);
}
static long GCD(long a, long b)
{
    return b == 0 ? a : GCD(b, a % b);
}

一見したところ、このコードが何をしているのかを明確に示していないため、いくつかの明確化が必要です。

AggregateはLinq拡張メソッドであるため、参照にSystem.Linqを使用して追加することを忘れないでください。

Aggregateは累積関数を取得するため、IEnumerableに対してプロパティlcm(a、b、c)= lcm(a、lcm(b、c))を利用できます。集計の詳細

GCD計算では、ユークリッドアルゴリズムが使用されます

lcm計算ではAbs(a * b)/ gcd(a、b)を使用します。最大公約数による縮約を参照してください。

お役に立てれば、


6

私はこれをHaskellで理解しました:

lcm' :: Integral a => a -> a -> a
lcm' a b = a`div`(gcd a b) * b
lcm :: Integral a => [a] -> a
lcm (n:ns) = foldr lcm' n ns

時間をかけて自分のgcd関数を書くことさえしましたが、それをプレリュードで見つけるだけでした!今日私のためにたくさん学ぶこと:D


1
最終行にfoldr1を使用できます。lcm ns = foldr1 lcm' nsまたはlcm = foldr1 lcm'
Neil Mayhew

また、分配型シグネチャで、本当に最低限の結果のために、などすることができますIntegralによって暗示されるdiv
ニール・メイヒュー

6

gcdの関数を必要としないいくつかのPythonコード:

from sys import argv 

def lcm(x,y):
    tmp=x
    while (tmp%y)!=0:
        tmp+=x
    return tmp

def lcmm(*args):
    return reduce(lcm,args)

args=map(int,argv[1:])
print lcmm(*args)

ターミナルでは次のようになります。

$ python lcm.py 10 15 17
510

6

以下は、1から20までの整数のLCMを返すPythonの1行(インポートは含まない)です。

Python 3.5以降のインポート:

from functools import reduce
from math import gcd

Python 2.7インポート:

from fractions import gcd

一般的なロジック:

lcm = reduce(lambda x,y: x*y // gcd(x, y), range(1, 21))

Python 2Python 3の両方で、演算子の優先順位規則により、*and //演算子の優先順位が同じになるため、左から右に適用されることに注意してください。そのため、x*y // zという意味では(x*y) // zありませんx * (y//z)。通常、2つは異なる結果を生成します。これはフロート分割ではそれほど重要ではありませんが、フロア分割では重要です。


3

Virgil Disgr4ceの実装のC#移植は次のとおりです。

public class MathUtils
{
    /// <summary>
    /// Calculates the least common multiple of 2+ numbers.
    /// </summary>
    /// <remarks>
    /// Uses recursion based on lcm(a,b,c) = lcm(a,lcm(b,c)).
    /// Ported from http://stackoverflow.com/a/2641293/420175.
    /// </remarks>
    public static Int64 LCM(IList<Int64> numbers)
    {
        if (numbers.Count < 2)
            throw new ArgumentException("you must pass two or more numbers");
        return LCM(numbers, 0);
    }

    public static Int64 LCM(params Int64[] numbers)
    {
        return LCM((IList<Int64>)numbers);
    }

    private static Int64 LCM(IList<Int64> numbers, int i)
    {
        // Recursively iterate through pairs of arguments
        // i.e. lcm(args[0], lcm(args[1], lcm(args[2], args[3])))

        if (i + 2 == numbers.Count)
        {
            return LCM(numbers[i], numbers[i+1]);
        }
        else
        {
            return LCM(numbers[i], LCM(numbers, i+1));
        }
    }

    public static Int64 LCM(Int64 a, Int64 b)
    {
        return (a * b / GCD(a, b));
    }

    /// <summary>
    /// Finds the greatest common denominator for 2 numbers.
    /// </summary>
    /// <remarks>
    /// Also from http://stackoverflow.com/a/2641293/420175.
    /// </remarks>
    public static Int64 GCD(Int64 a, Int64 b)
    {
        // Euclidean algorithm
        Int64 t;
        while (b != 0)
        {
            t = b;
            b = a % b;
            a = t;
        }
        return a;
    }
}'


2

LINQを使用すると、次のように記述できます。

static int LCM(int[] numbers)
{
    return numbers.Aggregate(LCM);
}

static int LCM(int a, int b)
{
    return a * b / GCD(a, b);
}

追加using System.Linq;し、例外を処理することを忘れないでください...


2

そしてScalaバージョン:

def gcd(a: Int, b: Int): Int = if (b == 0) a else gcd(b, a % b)
def gcd(nums: Iterable[Int]): Int = nums.reduce(gcd)
def lcm(a: Int, b: Int): Int = if (a == 0 || b == 0) 0 else a * b / gcd(a, b)
def lcm(nums: Iterable[Int]): Int = nums.reduce(lcm)

2

これはSwiftにあります。

// Euclid's algorithm for finding the greatest common divisor
func gcd(_ a: Int, _ b: Int) -> Int {
  let r = a % b
  if r != 0 {
    return gcd(b, r)
  } else {
    return b
  }
}

// Returns the least common multiple of two numbers.
func lcm(_ m: Int, _ n: Int) -> Int {
  return m / gcd(m, n) * n
}

// Returns the least common multiple of multiple numbers.
func lcmm(_ numbers: [Int]) -> Int {
  return numbers.reduce(1) { lcm($0, $1) }
}

1

別の方法で行うこともできます-n個の数字を用意します。連続する数字のペアを1つ取り、そのlcmを別の配列に保存します。これを最初の反復プログラムで実行すると、n / 2回の反復が行われます。次に、(0,1)、(2,3)などのように0から始まるペアが取得されます。LCMを計算して別の配列に格納します。アレイが1つになるまでこれを繰り返します。(nが奇数の場合、lcmを見つけることはできません)


1

Rでは、パッケージ番号から関数mGCD(x)とmLCM(x)を使用して、整数ベクトルxのすべての数値の最大公約数と最小公倍数を一緒に計算できます。

    library(numbers)
    mGCD(c(4, 8, 12, 16, 20))
[1] 4
    mLCM(c(8,9,21))
[1] 504
    # Sequences
    mLCM(1:20)
[1] 232792560

1

ES6スタイル

function gcd(...numbers) {
  return numbers.reduce((a, b) => b === 0 ? a : gcd(b, a % b));
}

function lcm(...numbers) {
  return numbers.reduce((a, b) => Math.abs(a * b) / gcd(a, b));
}

1
あなたはと呼ばれるgcd(a, b)が、gdcあなたがコールに意図せ関数は、配列を期待gcd([a, b])
ジョアン・ピントヘロニモ

これは、これまでで最もエレガントな答えです
Lokua

1

楽しみのために、シェル(ほとんどすべてのシェル)の実装:

#!/bin/sh
gcd() {   # Calculate $1 % $2 until $2 becomes zero.
      until [ "$2" -eq 0 ]; do set -- "$2" "$(($1%$2))"; done
      echo "$1"
      }

lcm() {   echo "$(( $1 / $(gcd "$1" "$2") * $2 ))";   }

while [ $# -gt 1 ]; do
    t="$(lcm "$1" "$2")"
    shift 2
    set -- "$t" "$@"
done
echo "$1"

それを試してください:

$ ./script 2 3 4 5 6

取得するため

60

最大の入力と結果は以下でなければなりません。そうしないと(2^63)-1、シェルの数学がラップします。


1

私はgcdとlcmの配列要素を探していて、次のリンクで良い解決策を見つけました。

https://www.hackerrank.com/challenges/between-two-sets/forum

次のコードが含まれています。gcdのアルゴリズムは、以下のリンクで説明されているユークリッドアルゴリズムを使用します。

https://www.khanacademy.org/computing/computer-science/cryptography/modarithmetic/a/the-euclidean-algorithm

private static int gcd(int a, int b) {
    while (b > 0) {
        int temp = b;
        b = a % b; // % is remainder
        a = temp;
    }
    return a;
}

private static int gcd(int[] input) {
    int result = input[0];
    for (int i = 1; i < input.length; i++) {
        result = gcd(result, input[i]);
    }
    return result;
}

private static int lcm(int a, int b) {
    return a * (b / gcd(a, b));
}

private static int lcm(int[] input) {
    int result = input[0];
    for (int i = 1; i < input.length; i++) {
        result = lcm(result, input[i]);
    }
    return result;
}

1

ここでPHPの実装は:

    // https://stackoverflow.com/q/12412782/1066234
    function math_gcd($a,$b) 
    {
        $a = abs($a); 
        $b = abs($b);
        if($a < $b) 
        {
            list($b,$a) = array($a,$b); 
        }
        if($b == 0) 
        {
            return $a;      
        }
        $r = $a % $b;
        while($r > 0) 
        {
            $a = $b;
            $b = $r;
            $r = $a % $b;
        }
        return $b;
    }

    function math_lcm($a, $b)
    {
        return ($a * $b / math_gcd($a, $b));
    }

    // https://stackoverflow.com/a/2641293/1066234
    function math_lcmm($args)
    {
        // Recursively iterate through pairs of arguments
        // i.e. lcm(args[0], lcm(args[1], lcm(args[2], args[3])))

        if(count($args) == 2)
        {
            return math_lcm($args[0], $args[1]);
        }
        else 
        {
            $arg0 = $args[0];
            array_shift($args);
            return math_lcm($arg0, math_lcmm($args));
        }
    }

    // fraction bonus
    function math_fraction_simplify($num, $den) 
    {
        $g = math_gcd($num, $den);
        return array($num/$g, $den/$g);
    }


    var_dump( math_lcmm( array(4, 7) ) ); // 28
    var_dump( math_lcmm( array(5, 25) ) ); // 25
    var_dump( math_lcmm( array(3, 4, 12, 36) ) ); // 36
    var_dump( math_lcmm( array(3, 4, 7, 12, 36) ) ); // 252

クレジットは、上記の回答(ECMAスタイルのコード)で @ T3db0tに送られます


0

GCDは、負の数を少し修正する必要があります。

def gcd(x,y):
  while y:
    if y<0:
      x,y=-x,-y
    x,y=y,x % y
    return x

def gcdl(*list):
  return reduce(gcd, *list)

def lcm(x,y):
  return x*y / gcd(x,y)

def lcml(*list):
  return reduce(lcm, *list)

0

これはどう?

from operator import mul as MULTIPLY

def factors(n):
    f = {} # a dict is necessary to create 'factor : exponent' pairs 
    divisor = 2
    while n > 1:
        while (divisor <= n):
            if n % divisor == 0:
                n /= divisor
                f[divisor] = f.get(divisor, 0) + 1
            else:
                divisor += 1
    return f


def mcm(numbers):
    #numbers is a list of numbers so not restricted to two items
    high_factors = {}
    for n in numbers:
        fn = factors(n)
        for (key, value) in fn.iteritems():
            if high_factors.get(key, 0) < value: # if fact not in dict or < val
                high_factors[key] = value
    return reduce (MULTIPLY, ((k ** v) for k, v in high_factors.items()))

0

CalcullaのLeast Common Multipleの実装が機能しており、任意の数の入力に対して機能し、ステップも表示します。

私たちがしていることは:

0: Assume we got inputs[] array, filled with integers. So, for example:
   inputsArray = [6, 15, 25, ...]
   lcm = 1

1: Find minimal prime factor for each input.
   Minimal means for 6 it's 2, for 25 it's 5, for 34 it's 17
   minFactorsArray = []

2: Find lowest from minFactors:
   minFactor = MIN(minFactorsArray)

3: lcm *= minFactor

4: Iterate minFactorsArray and if the factor for given input equals minFactor, then divide the input by it:
  for (inIdx in minFactorsArray)
    if minFactorsArray[inIdx] == minFactor
      inputsArray[inIdx] \= minFactor

5: repeat steps 1-4 until there is nothing to factorize anymore. 
   So, until inputsArray contains only 1-s.

そして、それだけです-あなたのlcmを手に入れました。


0

LCMは連想性と可換性の両方を備えています。

LCM(a、b、c)= LCM(LCM(a、b)、c)= LCM(a、LCM(b、c))

ここにCのサンプルコードがあります:

int main()
{
  int a[20],i,n,result=1;  // assumption: count can't exceed 20
  printf("Enter number of numbers to calculate LCM(less than 20):");
  scanf("%d",&n);
  printf("Enter %d  numbers to calculate their LCM :",n);
  for(i=0;i<n;i++)
    scanf("%d",&a[i]);
 for(i=0;i<n;i++)
   result=lcm(result,a[i]);
 printf("LCM of given numbers = %d\n",result);
 return 0;
}

int lcm(int a,int b)
{
  int gcd=gcd_two_numbers(a,b);
  return (a*b)/gcd;
}

int gcd_two_numbers(int a,int b)
{
   int temp;
   if(a>b)
   {
     temp=a;
     a=b;
     b=temp;
   }
  if(b%a==0)
    return a;
  else
    return gcd_two_numbers(b%a,a);
}

0

メソッドcompLCMはベクトルを取り、LCMを返します。すべての数値は、ベクトルin_numbers内にあります。

int mathOps::compLCM(std::vector<int> &in_numbers)
 {
    int tmpNumbers = in_numbers.size();
    int tmpMax = *max_element(in_numbers.begin(), in_numbers.end());
    bool tmpNotDividable = false;

    while (true)
    {
        for (int i = 0; i < tmpNumbers && tmpNotDividable == false; i++)
        {
            if (tmpMax % in_numbers[i] != 0 )
                tmpNotDividable = true;
        }

        if (tmpNotDividable == false)
            return tmpMax;
        else
            tmpMax++;
    }
}

0
clc;

data = [1 2 3 4 5]

LCM=1;

for i=1:1:length(data)

    LCM = lcm(LCM,data(i))

end 

コードはありがたいですが、それがどのように機能するかを詳述するコメントを追加できれば、それはさらに高く評価されます。
Alex Riley

このコードスニペットは問題を解決する可能性がありますが、説明を含めると、投稿の品質を向上させるのに役立ちます。あなたが今尋ねている人だけでなく、将来の読者のための質問に答えていることを忘れないでください!回答を編集して説明を追加し、適用される制限と前提を示してください。
Toby Speight

0

簡単に動作するコードを探している人は、これを試してください:

lcm_n(args, num) 配列内のすべての数値のlcmを計算して返す関数を作成しましたargs。2番目のパラメーターnumは、配列内の数値の数です。

これらの数値をすべて配列に入れてargs、次のような関数を呼び出しますlcm_n(args,num);

この関数、これらすべての数値のlcmを返します

これが関数の実装ですlcm_n(args, num)

int lcm_n(int args[], int num) //lcm of more than 2 numbers
{
    int i, temp[num-1];

    if(num==2)
    {
        return lcm(args[0], args[1]);
    }
    else
    {
        for(i=0;i<num-1;i++)
        {
           temp[i] = args[i];   
        }

        temp[num-2] = lcm(args[num-2], args[num-1]);
        return lcm_n(temp,num-1);
    }
}

この関数が機能するには、以下の2つの関数が必要です。だから、それらと一緒に追加するだけです。

int lcm(int a, int b) //lcm of 2 numbers
{
    return (a*b)/gcd(a,b);
}


int gcd(int a, int b) //gcd of 2 numbers
{
    int numerator, denominator, remainder;

    //Euclid's algorithm for computing GCD of two numbers
    if(a > b)
    {
        numerator = a;
        denominator = b;
    }
    else
    {
        numerator = b;
        denominator = a;
    }
    remainder = numerator % denominator;

    while(remainder != 0)
    {
        numerator   = denominator;
        denominator = remainder;
        remainder   = numerator % denominator;
    }

    return denominator;
}

0

int gcd(int a, int b) { if (b == 0) return a; return gcd(b, a%b); } int lcm(int[] a, int n) { int res = 1, i; for (i = 0; i < n; i++) { res = res*a[i]/gcd(res, a[i]); } return res; }


0

Pythonでは:

def lcm(*args):
    """Calculates lcm of args"""
    biggest = max(args) #find the largest of numbers
    rest = [n for n in args if n != biggest] #the list of the numbers without the largest
    factor = 1 #to multiply with the biggest as long as the result is not divisble by all of the numbers in the rest
    while True:
        #check if biggest is divisble by all in the rest:
        ans = False in [(biggest * factor) % n == 0 for n in rest]
        #if so the clm is found break the loop and return it, otherwise increment factor by 1 and try again
        if not ans:
            break
        factor += 1
    biggest *= factor
    return "lcm of {0} is {1}".format(args, biggest)

>>> lcm(100,23,98)
'lcm of (100, 23, 98) is 112700'
>>> lcm(*range(1, 20))
'lcm of (1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19) is 232792560'

0

これは私が使ったものです-

def greater(n):

      a=num[0]

      for i in range(0,len(n),1):
       if(a<n[i]):
        a=n[i]
      return a

r=input('enter limit')

num=[]

for x in range (0,r,1):

    a=input('enter number ')
    num.append(a)
a= greater(num)

i=0

while True:

    while (a%num[i]==0):
        i=i+1
        if(i==len(num)):
               break
    if i==len(num):
        print 'L.C.M = ',a
        break
    else:
        a=a+1
        i=0

0

Python 3の場合:

from functools import reduce

gcd = lambda a,b: a if b==0 else gcd(b, a%b)
def lcm(lst):        
    return reduce(lambda x,y: x*y//gcd(x, y), lst)  

0

Rubyでは、次のように簡単です。

> [2, 3, 4, 6].reduce(:lcm)
=> 12

> [16, 32, 96].reduce(:gcd)
=> 16

(Ruby 2.2.10および2.6.3でテスト済み。)

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.