-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathbridge.cpp
50 lines (40 loc) · 1.09 KB
/
bridge.cpp
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
// Bridge design pattern
#include <iostream>
#include <memory>
struct Interface {
virtual void A() = 0;
virtual void B() = 0;
virtual ~Interface() = default;
};
// first implementation
struct Impl1 : Interface {
void A() override { std::cout << "Impl1::A()\n"; }
void B() override { std::cout << "Impl1::B()\n"; }
};
// second implementation
struct Impl2 : Interface {
void A() override { std::cout << "Impl2::A()\n"; }
void B() override { std::cout << "Impl2::B()\n"; }
};
// concrete class that can change its interface
class Foo {
std::unique_ptr<Interface> _ptr_impl;
public:
explicit Foo(std::unique_ptr<Interface> ptr_impl)
: _ptr_impl{std::move(ptr_impl)} {}
void set_interface(std::unique_ptr<Interface> ptr_impl) {
_ptr_impl = std::move(ptr_impl);
}
void A() { _ptr_impl->A(); }
void B() { _ptr_impl->B(); }
};
int main() {
// default interface
Foo foo{std::make_unique<Impl1>()};
foo.A();
foo.B();
// "switch" the interface
foo.set_interface(std::make_unique<Impl2>());
foo.A();
foo.B();
}