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 91
|
module Flipper
# Adding a module include so we have some hooks for stuff down the road
module Adapter
def self.included(base)
base.extend(ClassMethods)
end
module ClassMethods
# Public: Default config for a feature's gate values.
def default_config
{
boolean: nil,
groups: Set.new,
actors: Set.new,
percentage_of_actors: nil,
percentage_of_time: nil,
}
end
end
# Public: Get all features and gate values in one call. Defaults to one call
# to features and another to get_multi. Feel free to override per adapter to
# make this more efficient.
def get_all
instances = features.map { |key| Flipper::Feature.new(key, self) }
get_multi(instances)
end
# Public: Get multiple features in one call. Defaults to one get per
# feature. Feel free to override per adapter to make this more efficient and
# reduce network calls.
def get_multi(features)
result = {}
features.each do |feature|
result[feature.key] = get(feature)
end
result
end
# Public: Wipe features and gate values and then import features and gate
# values from provided adapter.
#
# Returns nothing.
def import(source_adapter)
wipe
copy_features_and_gates(source_adapter)
nil
end
# Public: Default config for a feature's gate values.
def default_config
self.class.default_config
end
private
# Private: Copy source adapter features and gate values into self.
def copy_features_and_gates(source_adapter)
source_adapter.features.each do |key|
source_feature = Flipper::Feature.new(key, source_adapter)
destination_feature = Flipper::Feature.new(key, self)
case source_feature.state
when :on
destination_feature.enable
when :conditional
source_feature.groups_value.each do |value|
destination_feature.enable_group(value)
end
source_feature.actors_value.each do |value|
destination_feature.enable_actor(Flipper::Actor.new(value))
end
destination_feature.enable_percentage_of_actors(source_feature.percentage_of_actors_value)
destination_feature.enable_percentage_of_time(source_feature.percentage_of_time_value)
when :off
destination_feature.add
end
end
end
# Private: Completely wipe adapter features and gate values.
def wipe
features.each do |key|
feature = Flipper::Feature.new(key, self)
remove(feature)
end
end
end
end
|