-
Notifications
You must be signed in to change notification settings - Fork 33
/
fibonacci_encoding.pl
executable file
·90 lines (65 loc) · 1.96 KB
/
fibonacci_encoding.pl
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
#!/usr/bin/perl
# Daniel "Trizen" Șuteu
# Date: 22 January 2018
# https://github.com/trizen
# Encode positive integers in binary format, using the Fibonacci numbers.
# Example:
# 30 = 10100010 = 1×21 + 0×13 + 1×8 + 0×5 + 0×3 + 0×2 + 1×1 + 0×1
# See also:
# https://projecteuler.net/problem=473
# https://en.wikipedia.org/wiki/Fibonacci_coding
# https://en.wikipedia.org/wiki/Zeckendorf%27s_theorem
# https://en.wikipedia.org/wiki/Golden_ratio_base
use 5.010;
use strict;
use warnings;
use ntheory qw(lucasu);
use experimental qw(signatures);
sub fib ($n) {
lucasu(1, -1, $n);
}
sub fibonacci_encoding ($n) {
return '0' if ($n == 0);
my $phi = sqrt(1.25) + 0.5;
my $log = int((log($n) + log(5)/2) / log($phi));
my ($f1, $f2) = (fib($log), fib($log - 1));
if ($f1 + $f2 <= $n) {
($f1, $f2) = ($f1 + $f2, $f1);
}
my $enc = '';
while ($f1 > 0) {
if ($n >= $f1) {
$n -= $f1;
$enc .= '1';
}
else {
$enc .= '0';
}
($f1, $f2) = ($f2, $f1 - $f2);
}
return $enc;
}
sub fibonacci_decoding($enc) {
my $len = length($enc);
my ($f1, $f2) = (fib($len), fib($len - 1));
my $dec = 0;
foreach my $i (0 .. $len - 1) {
my $bit = substr($enc, $i, 1);
$dec += $f1 if $bit;
($f1, $f2) = ($f2, $f1 - $f2);
}
return $dec;
}
say fibonacci_encoding(30); #=> 10100010
say fibonacci_decoding('10100010'); #=> 30
say fibonacci_decoding(fibonacci_encoding(144)); #=> 144
say fibonacci_decoding(fibonacci_encoding(144 - 1)); #=> 143
say fibonacci_decoding(fibonacci_encoding(144 + 1)); #=> 145
# Transparent support for arbitrary large integers
say fibonacci_decoding(fibonacci_encoding('81923489126412312421758612841248123'));
# Verify the encoding/decoding algorithm
foreach my $n (0 .. 10000) {
if (fibonacci_decoding(fibonacci_encoding($n)) != $n) {
die "Error for $n";
}
}