add Bridge pattern

This commit is contained in:
Jakub Vojvoda
2016-09-17 18:05:19 +02:00
parent 8c965ceefa
commit 1c9457115c

View File

@@ -5,13 +5,80 @@
* *
* Source code is licensed under MIT licence * Source code is licensed under MIT licence
* (for more details see LICENCE) * (for more details see LICENCE)
* *
*/ */
#include <iostream> #include <iostream>
/*
* Implementor
* defines the interface for implementation classes
*/
class Implementor {
public:
virtual void action() = 0;
// ...
};
/*
* Concrete Implementors
* implement the Implementor interface and define concrete implementations
*/
class ConcreteImplementorA : public Implementor {
public:
void action() {
std::cout << "Concrete Implementor A" << std::endl;
}
// ...
};
class ConcreteImplementorB : public Implementor {
public:
void action() {
std::cout << "Concrete Implementor B" << std::endl;
}
// ...
};
/*
* Abstraction
* defines the abstraction's interface
*/
class Abstraction {
public:
virtual void operation() = 0;
// ...
};
/*
* RefinedAbstraction
* extends the interface defined by Abstraction
*/
class RefinedAbstraction : public Abstraction {
public:
RefinedAbstraction(Implementor *impl)
: implementor(impl) {}
void operation() {
implementor->action();
}
// ...
private:
Implementor *implementor;
};
int main() int main()
{ {
Implementor *ia = new ConcreteImplementorA;
Implementor *ib = new ConcreteImplementorB;
Abstraction *abstract1 = new RefinedAbstraction(ia);
abstract1->operation();
Abstraction *abstract2 = new RefinedAbstraction(ib);
abstract2->operation();
return 0; return 0;
} }