|
data:image/s3,"s3://crabby-images/34b02/34b023d8db1c7f87023a426e3df6bb32d2aaac5b" alt="home" |
a recursive GCD algorithm |
data:image/s3,"s3://crabby-images/6561b/6561b5ce0adf87db64827c05af5c43fffe15a502" alt="" |
data:image/s3,"s3://crabby-images/a57f6/a57f6d630108c9d04094642b415d89620713e9f1" alt="contact" |
download GCD program
download Delphi-7 GCD project
This article describes a recursive GCD (Greatest Common Divisor) algorithm.
It is based on Euclid's theorem which simply amounts to:
Example:
GCD(60,45) = GCD(15,45) = GCD(45,15) = GCD(15,15) = GCD(0,15) = 15.
Shorter:
60 mod 45 = 15, GCD(60,45) = GCD(15,45) = GCD(45,15)
45 mod 15 = 0, GCD(45,15) = GCD(0,15) = 15.
Recursive procedures or functions may call themselve.
This allows for compact coding at the price of difficulty to understand.
An approach is to visualize such a procedure many times, see picture below:
data:image/s3,"s3://crabby-images/5d5df/5d5df68b521675f2d59599e5d4c65f03014b186d" alt=""
Here is the function:
function GCD(a,b : Int64) : Int64;
//b <> 0
begin
if a = 0 then result := b
else if a < b then result := GCD(b,a)
else result := GCD(a mod b,b);
end;
That's all !
The program allows for GCD calculations of number up to 12 digits.
For details please refer to the source code.
|
|