/** * @file * @author Caleb Fangmeier * @version 0.1 * * @section LICENSE * * * MIT License * * Copyright (c) 2017 Caleb Fangmeier * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. * * @section DESCRIPTION * This header defines a set of generic classes that wrap up "values". In * essence, a Value object is just something that contains a value of type T * and can provide it when requested. The usefulness stems from composing * values together with calculations. This enables very clear dependency * mapping and a way to know clearly how every value was arrived at. This could * be used to, for example, automatically generate commentary for plots that * explain the exect calculation used to create it. Or easily making a series * of plots contrasting different values that have been composed slightly * differently. */ #ifndef value_hpp #define value_hpp #include #include #include #include #include #include #include #include #include #include #include #include #include "log.hpp" /** * The namespace containing all filval classes and functions. */ namespace fv{ namespace detail { template struct _HomoTuple { typedef _HomoTuple stype; typedef typename stype::type type; }; template struct _HomoTuple { typedef std::tuple type; }; } template struct HomoTuple { typedef detail::_HomoTuple stype; typedef typename stype::type type; }; namespace detail { // Convert array into a tuple template decltype(auto) a2t_impl(const Array& a, std::index_sequence){ return std::make_tuple(a[I]...); } } /** * Converts a std::array to a std::tuple. */ template> decltype(auto) a2t(const std::array& a){ return detail::a2t_impl(a, Indices()); } namespace detail { // Convert tuple into a vector template decltype(auto) t2v_impl(const Tuple& t, std::index_sequence){ /* return std::make_tuple(a[I]...); */ return std::vector({std::get(t)...}); } } /** * Converts a std::tuple to a std::vector. */ template std::vector t2v(const std::tuple& t){ return detail::t2v_impl>(t, std::index_sequence_for{}); } namespace detail { template constexpr decltype(auto) call_impl(F &&f, Tuple &&t, std::index_sequence){ return std::invoke(std::forward(f), std::get(std::forward(t))...); } } /** * Call a function f with the elements of the tuple t as arguments */ template constexpr decltype(auto) call(F &&f, Tuple &&t){ return detail::call_impl( std::forward(f), std::forward(t), std::make_index_sequence>::value>{}); } template class Function; // undefined /** * Parent class to all Function classes. Holds a class-level collection of all * created function objects. */ class GenFunction { private: std::string name; std::string impl; protected: inline static bool in_reg_func=false; public: /** * Static mapping of functions from their name to the object wrapper of * the function. */ inline static std::map function_registry; GenFunction(const std::string& name, const std::string& impl) :name(name), impl(impl){ } virtual ~GenFunction() { }; std::string& get_name(){ return name; } std::string& get_impl(){ return impl; } /** * Attempt to invoke clang-format for the purpose of printing out * nicely formatted functions to the log file. If clang-format is not * present, this function just passes through the code unmodified. */ static std::string format_code(const std::string& code){ std::stringstream code_out(""); std::string command("echo \""+code+"\" | clang-format"); char buffer[255]; FILE *stream = popen(command.c_str(), "r"); while (fgets(buffer, 255, stream) != NULL) code_out << buffer; if (pclose(stream) == 0) return code_out.str(); else return code; } static std::string summary(){ std::stringstream ss; ss << "The following functions have been registered" << std::endl; for(auto p : function_registry){ if (p.second == nullptr) continue; ss << "FUNCTION::" << p.second->name << "@" << p.second << std::endl; ss << format_code(p.second->impl); } return ss.str(); } template static Function& reg_func(const std::string& name, std::function f, const std::string& impl){ in_reg_func = true; Function* func; if (GenFunction::function_registry[name] != nullptr){ func = dynamic_cast*>(GenFunction::function_registry[name]); if (func == nullptr){ ERROR("Trying to register function which has already been registered with a different type"); } } else { func = new Function(name, impl, f); GenFunction::function_registry[name] = func; } in_reg_func = false; return *func; } template static Function& lookup_function(const std::string& name){ if (GenFunction::function_registry[name] == nullptr){ CRITICAL("Function \"" << name << "\" not previously registered", -1); } else { Function* func = dynamic_cast*>(GenFunction::function_registry[name]); if (func == nullptr){ CRITICAL("Function \"" << name << "\" request and register have mismatched types", -1); } return *GenFunction::function_registry[name]; } } }; /** * In order to enable proper provenance tracking, and at the same time keep * the ability to embed functions into values, the Function class should be * used. It is simply a wrapper around a std::function that also has a name. * This name is used when generating the name of values that use the function. * A function name is automatically prepended with "func::" to explicitly state * that the value is the result of a computation encoded within the function * object, and not from some other Value object. Unfortunately, it is up to the * user to find where that function is defined in the source code to inspect * what it is doing. But hopefully this isn't too onerous by just using grep. */ template class Function : public GenFunction { private: std::function f; public: Function(const std::string& name, const std::string& impl, std::function f) :GenFunction(name, impl), f(f){ if (!in_reg_func) { WARNING("Don't instantiate Function objects directly! Use GenFunction::reg_func instead."); } } Function(const std::string& name, std::function f) :Function(name, "N/A", f){ } ~Function() { } R operator()(ArgTypes ...args){ return f(args...); } }; #define FUNC(f) f, #f template class Value; /** * A type-agnostic value. * It is necessary to create a type-agnostic parent class to Value so that * it is possible to handle collections of them. GenValue also provides the * rest of the type-independent interface to Value. */ class GenValue; typedef std::map ValueSet; class GenValue{ private: /** * The name of the value. * This is used to allow for dynamic lookup of * values based on their name via GenValue::get_value. */ std::string name; protected: /** * Mark the internal value as invalid. This is needed for DerivedValue * to force a recalculation of the internal value when a new * observation is loaded into memory. It is called automatically for * all GenValue objects when reset is called. */ bool value_valid; void _reset(){ this->value_valid = false; } /** * A static mapping containing all created Value objects. * Every value object must have a unique name, and this name is used as * a key in values to that object. This is used to enable more dynamic * creation of objects as well as avoiding the uneccesary passing of * pointers. */ inline static std::map, GenValue*> values; /** * Composite value names are typically nested. This makes complex * values have rather unwieldy names. Therefore, one can declare * aliases which allow for more human-usable names to be used. When a * value is requested by name, an alias with that value takes precidence * over a name with that value. */ inline static std::map, GenValue*> aliases; bool logging_enabled; public: GenValue(const std::type_index&& ti, const std::string& name, const std::string& alias) :name(name), value_valid(false), logging_enabled(false){ if (alias != "") INFO("Registered value: \"" << name << "\" with alias: \"" << alias << "\""); else INFO("Registered value: \"" << name); values[std::make_pair(ti,name)] = this; if (alias != "") GenValue::alias(ti, alias, this); } const std::string& get_name(){ return name; } /** * If logging is enabled for this value, this function should be * implemented to format the value to a string and place it as an INFO * entry in the log file. Useful for debugging, but may produce alot of * output. */ virtual void log() = 0; static void reset(){ for (auto val : values){ if (val.second != nullptr){ val.second->_reset(); } } } template static Value* get_value(const std::string& name){ const std::type_index& ti = typeid(T); auto lookup_id = std::make_pair(ti,name); if (aliases[lookup_id] != nullptr) return (Value*)aliases[lookup_id]; else return (Value*)values[lookup_id]; } static void alias(const std::type_index& ti, const std::string& name, GenValue* value){ auto lookup_id = std::make_pair(ti,name); if (aliases[lookup_id] != nullptr){ WARNING("WARNING: alias \"" << name << "\" overrides previous entry."); } aliases[lookup_id] = value; } template static void alias(const std::string& name, Value* value){ alias(typeid(T), name, value); } static std::string summary(){ std::stringstream ss; ss << "The following values have been created:" << std::endl; for (auto item : values){ auto& key = item.first; auto& value = item.second; if (value == nullptr) continue; ss << "\tVALUE::\"" << key.second << "\" at address " << value << std::endl; } ss << "And these aliases:" << std::endl; for (auto item : aliases){ auto& key = item.first; auto& value = item.second; std::string orig("VOID"); if (value == nullptr) continue; for (auto v_item : values){ auto& v_value = v_item.second; if (v_value == value){ orig = v_value->get_name(); break; } } ss << "\tALIAS::\"" << key.second << "\" referring to \"" << orig << "\"" << std::endl; } return ss.str(); } friend std::ostream& operator<<(std::ostream& os, const GenValue& gv); }; std::ostream& operator<<(std::ostream& os, GenValue& gv){ os << gv.get_name(); return os; } /** * A templated value. * In order to facilitate run-time creation of analysis routines, it is * necessary to have some ability to get and store *values*. Values can either * be directly taken from some original data source (i.e. ObservedValue), or * they can be a function of some other set of values (i.e. DerivedValue). They * template class T of Value is the type of thing that is returned upon * calling get_value(). */ template class Value : public GenValue{ protected: std::function value_to_string; public: Value(const std::string& name, const std::string& alias="") :value_to_string([](T){return "";}), GenValue(typeid(T), name, alias){ } /** Calculate, if necessary, and return the value held by this object. */ virtual T& get_value() = 0; void enable_logging(const std::function& value_to_string = [](T){return "";}){ logging_enabled = true; this->value_to_string = value_to_string; } void disable_logging(){ logging_enabled = false; } }; /** * A value supplied by the dataset, not derived. * An ObservedValue is the interface to your dataset. Upon creation, an * ObservedValue is given a pointer to an object of type T. When an observation * is loaded into memory, the value at the location referenced by that pointer * must be updated with the associated data from that observation. This is the * responsibility of whatever DataSet implementation is being used. This object * then will read that data and return it when requested. */ template class ObservedValue : public Value{ private: T *val_ref; public: ObservedValue(const std::string& name, T* val_ref, const std::string& alias="") :Value(name, alias), val_ref(val_ref){ } void log(){ if(this->logging_enabled){ INFO(this->get_name() << ": " << this->value_to_string(*val_ref)); } } static std::string fmt_name(const std::string& name){ return name; } T& get_value(){ if (!this->value_valid){ this->value_valid = true; this->log(); } return *val_ref; } }; /** * A Value derived from some other Values, not directly from the dataset. * A DerivedValue is generally defined as some function of other Value objects. * For example, a Pair is a function of two other Value objects that makes a * pair of them. Note that these other Value objects are free to be either * ObservedValues or other DerivedValues. * * It is desireable from a performance standpoint that each DerivedValue be * calculated no more than once per observation. Therefore, when a get_value is * called on a DerivedValue, it first checks whether the value that it holds is * **valid**, meaning it has already been calculated for this observation. If * so, it simply returns the value. If not, the update_value function is called * to calculate the value. and then the newly calculated value is marked as * valid and returned. */ template class DerivedValue : public Value{ protected: T value; /** * Updates the internal value. * This function should be overridden by any child class to do the * actual work of updating value based on whatever rules the class * chooses. Normally, this consists of geting the values from some * associated Value objects, doing some calculation on them, and * storing the result in value. */ virtual void update_value() = 0; public: DerivedValue(const std::string& name, const std::string& alias="") :Value(name, alias){ } void log(){ if(this->logging_enabled){ INFO(this->get_name() << ": " << this->value_to_string(value)); } } T& get_value(){ if (!this->value_valid){ update_value(); this->value_valid = true; this->log(); } return value; } }; /** * A std::vector wrapper around a C-style array. * In order to make some of the higher-level Value types easier to work with, * it is a good idea to wrap all arrays in the original data source with * std::vector objects. To do this, it is necessary to supply both a Value * object containing the array itself as well as another Value object * containing the size of that array. Currently, update_value will simply copy * the contents of the array into the interally held vector. */ template class WrapperVector : public DerivedValue >{ private: Value* size; Value* data; void update_value(){ int n = size->get_value(); T* data_ref = data->get_value(); this->value.assign(data_ref, data_ref+n); } public: static std::string fmt_name(Value* size, Value* data){ return "wrapper_vector("+size->get_name()+","+data->get_name()+")"; } WrapperVector(Value* size, Value* data, const std::string& alias="") :DerivedValue >(fmt_name(size,data), alias), size(size), data(data){ } }; /** * Creates a std::pair type from a two other Value objects. */ template class Pair : public DerivedValue >{ protected: std::pair*, Value* > value_pair; void update_value(){ this->value.first = value_pair.first->get_value(); this->value.second = value_pair.second->get_value(); } public: static std::string fmt_name(Value *value1, Value *value2){ return "pair("+value1->get_name()+","+value2->get_name()+")"; } Pair(Value *value1, Value *value2, const std::string alias="") :DerivedValue >(fmt_name(value1, value2), alias), value_pair(value1, value2){ } }; template class _Zip; template<> class _Zip<> { protected: int _get_size(){ return std::numeric_limits::max(); } std::tuple<> _get_at(int){ return std::make_tuple(); } std::string _get_name(){ return ""; } public: _Zip() { } }; template class _Zip : private _Zip { protected: Value>* head; int _get_size(){ int this_size = head->get_value().size(); int rest_size = _Zip::_get_size(); return std::min(this_size, rest_size); } typename std::tuple _get_at(int idx){ auto tail_tuple = _Zip::_get_at(idx); return std::tuple_cat(std::make_tuple(head->get_value()[idx]),tail_tuple); } std::string _get_name(){ return head->get_name()+","+_Zip::_get_name(); } public: _Zip() { } _Zip(Value>* head, Value>*... tail) : _Zip(tail...), head(head) { } }; namespace impl { std::string zip_fmt_name(){ return ""; } template std::string zip_fmt_name(Value>* head){ return head->get_name(); } template std::string zip_fmt_name(Value>* head1, Value>* head2, Value>*... tail){ return head1->get_name() + "," + zip_fmt_name(head2, tail...); } } /** * Zips a series of vectors together. Can be combined with Map to * yield a Value whose elements are individually a function of the * corresponding elements of the vectors that were zipped together. For those * familiar with python, it accompilishes the same thing as * @code{.py} * xs = [1,2,3,4] * ys = [10,20,30,40] * print(list(map(lambda t:t[0]+t[1],zip(xs,ys)))) * @endcode * which outputs * @code * [11, 22, 33, 44] * @endcode */ template class Zip : public DerivedValue>>, private _Zip{ protected: void update_value(){ this->value.clear(); int size = _Zip::_get_size(); for(int i=0; ivalue.push_back(_Zip::_get_at(i)); } } public: static std::string fmt_name(Value>*... args){ return "zip("+zip_fmt_name(args...)+")"; } Zip(Value>*... args, const std::string& alias) :DerivedValue>>(fmt_name(args...), alias), _Zip(args...) { } }; template class Map; // undefined /** * Maps a function over an input vector. The input vector must be a vector of * tuples, where the the elements of the tuple match the arguments of the * function. For example if the function takes two floats as arguments, the * tuple should contain two floats. The Value object required by Map will * typically be created as a Zip. */ template class Map : public DerivedValue>{ private: typedef Value>> arg_type; Function& fn; arg_type* arg; void update_value(){ this->value.clear(); for(auto tup : arg->get_value()){ this->value.push_back(call(fn,tup)); } } public: static std::string fmt_name(Function& fn, arg_type* arg){ return "map("+fn.get_name()+":"+arg->get_name()+")"; } Map(Function& fn, arg_type* arg, const std::string& alias) :DerivedValue>(fmt_name(fn, arg), alias), fn(fn), arg(arg){ } }; template class _Tuple; template<> class _Tuple<> { protected: std::tuple<> _get_value(){ return std::make_tuple(); } public: _Tuple() { } }; template class _Tuple : private _Tuple { protected: Value* head; typename std::tuple _get_value(){ auto tail_tuple = _Tuple::_get_value(); return std::tuple_cat(std::make_tuple(head->get_value()),tail_tuple); } public: _Tuple() { } _Tuple(Value* head, Value*... tail) : _Tuple(tail...), head(head) { } }; namespace impl { std::string tuple_fmt_name(){ return ""; } template std::string tuple_fmt_name(Value* head){ return head->get_name(); } template std::string tuple_fmt_name(Value* head1, Value* head2, Value*... tail){ return head1->get_name() + "," + tuple_fmt_name(head2, tail...); } } /** * Takes a series of Value objects and bundles them together into a std::tuple * object. Typically, this is most usefull when one wants to apply a function * to a few values and store the result. This class can be used in conjunction * with Apply to achieve this. */ template class Tuple : public DerivedValue>, private _Tuple{ protected: void update_value(){ this->value = _Tuple::_get_value(); } public: static std::string fmt_name(Value*... args){ return "tuple("+impl::tuple_fmt_name(args...)+")"; } Tuple(Value*... args, const std::string& alias) :DerivedValue>(fmt_name(args...), alias), _Tuple(args...) { } }; /** * Gets the Nth element from a tuple value */ template class DeTup : public DerivedValue>::type>{ Value> tup; protected: void update_value(){ this->value = std::get(tup->get_value()); } public: static std::string fmt_name(Value>* tup){ return "detup("+tup->get_name()+")"; } DeTup(Value>* tup, const std::string& alias) :DerivedValue>::type>(fmt_name(tup), alias), tup(tup) { } }; /** * Creates a vector of extracting the Nth value from each entry in a vector of * tuples. */ template class DeTupVector : public DerivedValue>::type>>{ Value>>* tup; protected: void update_value(){ this->value.clear(); for( auto& t : tup->get_value()){ this->value.push_back(std::get(t)); } } public: static std::string fmt_name(Value>>* tup){ return "detup_vec("+tup->get_name()+")"; } DeTupVector(Value>>* tup, const std::string& alias) :DerivedValue>::type>>(fmt_name(tup), alias), tup(tup) { } }; template class Apply; // undefined /** * Applies a function to a tuple of values and returns a value. This will * typically be called with a Tuple object as an argument. */ template class Apply : public DerivedValue{ private: Function& fn; Value>* arg; void update_value(){ auto &tup = arg->get_value(); this->value = call(fn, tup); } public: static std::string fmt_name(Function& fn, Value>* arg){ return "apply("+fn.get_name()+":"+arg->get_name()+")"; } Apply(Function& fn, Value>* arg, const std::string& alias) :DerivedValue(fmt_name(fn,arg), alias), fn(fn), arg(arg){ } }; /** * Returns the count of elements in the input vector passing a test function. */ template class Count : public DerivedValue{ private: Function& selector; Value >* v; void update_value(){ value = 0; for(auto val : v->get_value()){ if(selector(val)) value++; } } public: static std::string fmt_name(Function& selector, Value>* v){ return "count("+selector.get_name()+":"+v->get_name()+")"; } Count(Function& selector, Value>* v, const std::string alias) :DerivedValue(fmt_name(selector,v), alias), selector(selector), v(v) { } }; /** * Returns the elements in a vector that pass a test function. */ template class Filter : public DerivedValue>{ private: Function& filter; Value >* v; void update_value(){ this->value.clear(); for(auto val : v->get_value()){ if(this->filter(val)) this->value.push_back(val); } } public: static std::string fmt_name(Function& filter, Value>* v){ return "filter("+filter.get_name()+":"+v->get_name()+")"; } Filter(Function& filter, Value>* v, const std::string alias) :DerivedValue>(fmt_name(filter,v), alias), filter(filter), v(v) { } }; /** * Returns the elements in a vector that pass a test function. The elements on * the vector must be tuples. Typically this will be used in conjunction with * Zip and Map. */ template class TupFilter : public DerivedValue>>{ private: typedef std::vector> value_type; Function& filter; Value* arg; void update_value(){ this->value.clear(); for(auto val : arg->get_value()){ if(call(filter,val)) this->value.push_back(val); } } public: static std::string fmt_name(Function& filter, Value* arg){ return "tup_filter("+filter.get_name()+":"+arg->get_name()+")"; } TupFilter(Function& filter, Value* arg, const std::string alias) :DerivedValue(fmt_name(filter, arg), alias), filter(filter), arg(arg) { } }; /** * Reduce a Value of type vector to just a T. * This is useful functionality to model, for instance, calculating the maximum * element of a vector, or a the mean. See child classes for specific * implementations. */ template class Reduce : public DerivedValue{ private: Function)>& reduce_fn; void update_value(){ this->value = reduce_fn(v->get_value()); } protected: Value >* v; public: static std::string fmt_name(Function)>& reduce_fn, Value>* v){ return "reduce("+reduce_fn.get_name()+":"+v->get_name()+")"; } Reduce(Function)>& reduce_fn, Value >* v, const std::string alias) :DerivedValue(fmt_name(reduce_fn, v), alias), reduce_fn(reduce_fn), v(v) { } }; /** * Find and return the maximum value of a vector. */ template class Max : public Reduce{ public: static std::string fmt_name(Value>* v){ return "max("+v->get_name()+")"; } Max(Value>* v, const std::string alias) :Reduce(GenFunction::reg_func)>("max", FUNC(([](std::vector vec){ return *std::max_element(vec.begin(), vec.end());}))), v, alias) { } }; /** * Find and return the minimum value of a vector. */ template class Min : public Reduce{ public: static std::string fmt_name(Value>* v){ return "min("+v->get_name()+")"; } Min(Value>* v, const std::string alias) :Reduce(GenFunction::reg_func)>("min", FUNC(([](std::vector vec){ return *std::min_element(vec.begin(), vec.end());}))), v, alias) { } }; /** * Calculate the mean value of a vector. */ template class Mean : public Reduce{ public: static std::string fmt_name(Value>* v){ return "mean("+v->get_name()+")"; } Mean(Value>* v, const std::string alias) :Reduce(GenFunction::reg_func)>("mean", FUNC(([](std::vector vec){ int n = 0; T sum = 0; for (T e : vec){ n++; sum += e; } return n>0 ? sum / n : 0; }))), v, alias) { } }; /** * Calculate the range of the values in a vector */ template class Range : public Reduce{ public: static std::string fmt_name(Value>* v){ return "range("+v->get_name()+")"; } Range(Value>* v, const std::string alias) :Reduce(GenFunction::reg_func)>("range", FUNC(([](std::vector vec){ auto minmax = std::minmax_element(vec.begin(), vec.end()); return (*minmax.second) - (*minmax.first); }))), v, alias) { } }; /** * Extract the element at a specific index from a vector. */ template class ElementOf : public Reduce{ public: ElementOf(Value* index, Value>* v, const std::string alias) :Reduce(GenFunction::reg_func)>("elementOf", FUNC(([index](std::vector vec){return vec[index->get_value()];}))), v, alias) { } }; /** * Similar to Reduce, but returns a pair of a T and an int. * This is useful if you need to know where in the vector exists the element * being returned. */ template class ReduceIndex : public DerivedValue >{ private: Function(std::vector)>& reduce; Value >* v; void update_value(){ this->value = reduce(v->get_value()); } public: ReduceIndex(Function(std::vector)>& reduce, Value >* v, const std::string alias="") :DerivedValue("reduceIndexWith("+reduce.get_name()+":"+v->get_name()+")", alias), reduce(reduce), v(v) { } }; /** * Find and return the maximum value of a vector and its index. */ template class MaxIndex : public ReduceIndex{ public: MaxIndex(Value>* v, const std::string alias="") :ReduceIndex(GenFunction::reg_func)>("maxIndex", FUNC(([](std::vector vec){ auto elptr = std::max_element(vec.begin(), vec.end()); return std::pair(*elptr, int(elptr-vec.begin())); }))), v, alias) { } }; /** * Find and return the minimum value of a vector and its index. */ template class MinIndex : public ReduceIndex{ public: MinIndex(Value>* v, const std::string alias="") :ReduceIndex(GenFunction::reg_func)>("minIndex", FUNC(([](std::vector vec){ auto elptr = std::min_element(vec.begin(), vec.end()); return std::pair(*elptr, int(elptr-vec.begin())); }))), v, alias) { } }; /** * Find combinations of items from an input vector */ template class Combinations : public DerivedValue::type>>{ private: Value>* val; typedef typename HomoTuple::type tuple_type; void update_value(){ auto& v = val->get_value(); int data_size = v.size(); this->value.clear(); std::vector selector(data_size); std::fill(selector.begin(), selector.begin()+std::min({Size,data_size}), true); do { std::array perm; int idx = 0; for (int i=0; ivalue.push_back(a2t(perm)); //!!! } while(std::prev_permutation(selector.begin(), selector.end())); } public: static std::string fmt_name(Value>* val){ std::stringstream ss; ss << "combinations(" << Size << "," << val->get_name() << ")"; return ss.str(); } Combinations(Value>* val, const std::string alias="") :DerivedValue>(fmt_name(val), alias), val(val) { } }; /** * Calculate the cartesian product of two input vectors */ template class CartProduct : public DerivedValue>>{ private: Value>* val1; Value>* val2; void update_value(){ this->value.clear(); auto& v1 = val1->get_value(); auto& v2 = val2->get_value(); for(int i=0; ivalue.push_back(std::tuple(v1[i],v2[j])); } } } static std::string calc_name(Value>* val1, Value>* val2){ std::stringstream ss; ss << "cartProduct(" << val1->get_name() << ", " << val2->get_name() << ")"; return ss.str(); } public: static std::string fmt_name(Value>* val1, Value>* val2){ return "cartProduct("+val1->get_name()+", "+val2->get_name()+")"; } CartProduct(Value>* val1, Value>* val2, const std::string alias="") :DerivedValue>>(calc_name(val1, val2), alias), val1(val1), val2(val2) { } }; /** * A generic value owning only a function object. * All necessary values upon which this value depends must be bound to the * function object. */ template class BoundValue : public DerivedValue{ protected: Function& f; void update_value(){ this->value = f(); } public: static std::string fmt_name(Function f){ return f.get_name()+"()"; } BoundValue(Function& f, const std::string alias="") :DerivedValue(fmt_name(f), alias), f(f) { } }; /** * A Value of a pointer. The pointer is constant, however the data the pointer * points to is variable. */ template class PointerValue : public DerivedValue{ protected: void update_value(){ } public: PointerValue(const std::string& name, T* ptr, const std::string alias="") :DerivedValue(name, alias){ this->value = ptr; } }; /** * A Value which always returns the same value, supplied in the constructor. */ template class ConstantValue : public DerivedValue{ protected: void update_value(){ } public: static std::string fmt_name(const std::string& name){ return "const::"+name; } ConstantValue(const std::string& name, T const_value, const std::string alias="") :DerivedValue(fmt_name(name), alias) { this->value = const_value; } }; } #endif // value_hpp