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 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122
|
require 'delegate'
module Flipper
module Adapters
# Public: Adapter that wraps another adapter and stores the operations.
#
# Useful in tests to verify calls and such. Never use outside of testing.
class OperationLogger < SimpleDelegator
include ::Flipper::Adapter
class Operation
attr_reader :type, :args
def initialize(type, args)
@type = type
@args = args
end
end
OperationTypes = [
:features,
:add,
:remove,
:clear,
:get,
:get_multi,
:get_all,
:enable,
:disable,
].freeze
# Internal: An array of the operations that have happened.
attr_reader :operations
# Internal: The name of the adapter.
attr_reader :name
# Public
def initialize(adapter, operations = nil)
super(adapter)
@adapter = adapter
@name = :operation_logger
@operations = operations || []
end
# Public: The set of known features.
def features
@operations << Operation.new(:features, [])
@adapter.features
end
# Public: Adds a feature to the set of known features.
def add(feature)
@operations << Operation.new(:add, [feature])
@adapter.add(feature)
end
# Public: Removes a feature from the set of known features and clears
# all the values for the feature.
def remove(feature)
@operations << Operation.new(:remove, [feature])
@adapter.remove(feature)
end
# Public: Clears all the gate values for a feature.
def clear(feature)
@operations << Operation.new(:clear, [feature])
@adapter.clear(feature)
end
# Public
def get(feature)
@operations << Operation.new(:get, [feature])
@adapter.get(feature)
end
# Public
def get_multi(features)
@operations << Operation.new(:get_multi, [features])
@adapter.get_multi(features)
end
# Public
def get_all
@operations << Operation.new(:get_all, [])
@adapter.get_all
end
# Public
def enable(feature, gate, thing)
@operations << Operation.new(:enable, [feature, gate, thing])
@adapter.enable(feature, gate, thing)
end
# Public
def disable(feature, gate, thing)
@operations << Operation.new(:disable, [feature, gate, thing])
@adapter.disable(feature, gate, thing)
end
# Public: Count the number of times a certain operation happened.
def count(type)
type(type).size
end
# Public: Get all operations of a certain type.
def type(type)
@operations.select { |operation| operation.type == type }
end
# Public: Get the last operation of a certain type.
def last(type)
@operations.reverse.find { |operation| operation.type == type }
end
# Public: Resets the operation log to empty
def reset
@operations.clear
end
end
end
end
|