Last active
June 10, 2018 06:02
-
-
Save chewbakartik/4d88f5357184df1f26d11a52ac1b34bb to your computer and use it in GitHub Desktop.
Even Fibonacci Numbers
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
require 'benchmark' | |
require_relative 'fibonacci_operations' | |
# Determining which formula has better preformance when calculating the answer 1 million times | |
Benchmark.bm(20) do |bm| | |
[4000000, 40000000, 400000000, 4000000000, 40000000000].each {|x| | |
puts "For #{x}" | |
bm.report("Formula:") { | |
1000000.times do | |
FibonacciOperations.sum_even(x) | |
end | |
} | |
bm.report("Quotient:") { | |
# puts sum_even_quotient(x) | |
10000000.times do | |
FibonacciOperations.sum_even_quotient(x) | |
end | |
} | |
} | |
end |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class FibonacciOperations | |
# let x represent the previous even fibonacci value | |
# let y represent the current even fibonacci value | |
# this method utilizes a formula to calculate the next even value | |
def self.sum_even(limit) | |
sum, x, y = 0, 0, 2 # initialize the variables | |
while y <= limit | |
sum += y | |
y, x = (4 * y) + x, y | |
end | |
sum | |
end | |
# let x represent the previous even fibonacci value | |
# let y represent the current even fibonacci value | |
# this method calculates the next fibonacci value and then determines if it is even | |
def self.sum_even_quotient(limit) | |
sum, x, y = 0, 0, 1 #initialize the variables | |
while y <= limit | |
if y % 2 == 0 | |
sum += y | |
end | |
y, x = x + y, y | |
end | |
sum | |
end | |
end |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
require_relative "fibonacci_operations" | |
require "test/unit" | |
class TestFibonacciOperations < Test::Unit::TestCase | |
def test_sum_even | |
assert_equal(10, FibonacciOperations.sum_even(8)) | |
assert_equal(44, FibonacciOperations.sum_even(34)) | |
assert_equal(188, FibonacciOperations.sum_even(144)) | |
assert_equal(798, FibonacciOperations.sum_even(610)) | |
assert_equal(257114, FibonacciOperations.sum_even(196418)) | |
assert_equal(4613732, FibonacciOperations.sum_even(4000000)) | |
end | |
end |
The formula to calculate the next even fibonacci value is clearly the more performant option.
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Sample output from benchmark: