Add IPService

This commit is contained in:
simon lehericey 2019-04-03 14:24:05 +02:00
parent 28c4dc8f60
commit 52e6632175
2 changed files with 85 additions and 0 deletions

View file

@ -0,0 +1,36 @@
class IPService
class << self
def ip_trusted?(ip)
ip_address = parse_address(ip)
if ip_address.nil?
false
elsif trusted_networks.present?
trusted_networks.any? { |network| network.include?(ip_address) }
else
false
end
end
private
def trusted_networks
if ENV['TRUSTED_NETWORKS'].present?
ENV['TRUSTED_NETWORKS']
.split
.map { |string| parse_address(string) }
.compact
else
[]
end
end
def parse_address(address)
begin
IPAddr.new(address)
rescue
nil
end
end
end
end

View file

@ -0,0 +1,49 @@
require 'spec_helper'
describe IPService do
describe '.ip_trusted?' do
subject { IPService.ip_trusted?(ip) }
context 'when the ip is nil' do
let(:ip) { nil }
it { is_expected.to be(false) }
end
context 'when the ip is defined' do
let(:ip) { '192.168.1.10' }
context 'when it belongs to a trusted network' do
before do
ENV['TRUSTED_NETWORKS'] = '10.0.0.0/8 192.168.0.0/16 bad_network'
end
it { is_expected.to be(true) }
end
context 'when it does not belong to a trusted network' do
before do
ENV['TRUSTED_NETWORKS'] = '10.0.0.0/8'
end
it { is_expected.to be(false) }
end
end
context 'when a trusted network is defined' do
before { ENV['TRUSTED_NETWORKS'] = '10.0.0.0/8' }
context 'when the ip is nil' do
let(:ip) { nil }
it { is_expected.to be(false) }
end
context 'when the ip is badly formatted' do
let(:ip) { 'yop' }
it { is_expected.to be(false) }
end
end
end
end