Consider this code:
#include <iostream>
class Religion {
public:
virtual void pray() = 0;
};
// Example: Denomination<N0,N1,N2,N3> is derived from Denomination<N0,N1,N2> is derived
// from Denomination<N0,N1> is derived from Denomination<N0> is derived from Religion.
template <int...> class Denomination : public Religion {
virtual void pray() {std::cout << "Prays like a ... ?\n";}
};
template <> class Denomination<2> : public Religion {
virtual void pray() override {std::cout << "Prays like a Muslim.\n";}
};
template <> class Denomination<2,0> : public Denomination<2> {
virtual void pray() override {std::cout << "Prays like a Sunni Muslim.\n";}
};
template <> class Denomination<2,0,1> : public Denomination<2,5> {
virtual void pray() override {std::cout << "Prays like a Hanafi Sunni Muslim.\n";}
};
template <int...> struct D {};
class Person {
Religion* religion;
public:
template <int... Is>
Person (const D<Is...>&) : religion(new Denomination<Is...>) {}
// How to get the Flyweight Pattern here?
void pray() {religion->pray();}
};
int main() {
Person* person1 = new Person(D<2,0,1>{}); // "Prays like a Hanafi Sunni Muslim."
Person* person2 = new Person(D<2,0>{}); // "Prays like a Sunni Muslim."
Person* person3 = new Person(D<2>{}); // "Prays like a Muslim."
person1->pray();
person2->pray();
person3->pray();
Person* person4 = new Person(D<2,5,6,2,1,3>{});
person4->pray(); // Should be "Prays like a Hanafi Sunni Muslim."
}
So I want to change the Person
constructor to
Person (const D<Is...>&) : religion(findDenomination<Is...>()) {}
which will look up a "table" of static Religion*
s. After all, 2 people belonging to the exact same denomination should share the same Religion*
value. So it's the flyweight design pattern I'm trying to implement here. The problem is that we don't know long the Is...
pack is (the number of sub-sub-...-denominations is not fixed anywhere), so a simple multi-dimensional array won't work I don't think. So instead what I'm doing is placing some static const vectors of Religion*
s in appropriate classes and the Is...
pack will be used to find the final vector to look up.
Update: Any better ways to do this? The solution I found so far has a major drawback if you see below.
Ok, I've worked out almost a complete solution.
Person* person4 = new Person(D<2,0,1,2,1,3>{});
is not working anymore though. This person is supposed to be a sub-sub-category of a Hanafi Sunni Muslim, which is supposed to default to praying like a Hanafi Sunni Muslim due to (intentional) lack of overriding forDenomination<2,0,1,2,1,3>
.I still need help to get
person4
to compile though. I need the compiler to somehow reduce theDenomination<2,0,1,2,1,3>
toDenomination<2,0,1>
. How to get that done?