-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy path07_reference_parameters.cpp
39 lines (32 loc) · 1.88 KB
/
07_reference_parameters.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
#include <algorithm>
#include <iostream>
#include <string>
#include "tdp/pipeline.hpp"
//---------------------------------------------------------------------------------------------------------------------
// Pipeline stages in TDP can't have reference outputs. This guarantees no dangling references will be passed.
// Queues utilized internally by TDP also require value semantics, so passing references would be counterproductive.
//
// In order to prevent additional move constructor calls, one might want pipeline stages to have reference inputs.
// This is a very small optimization, but could reduce some latency in specific applications.
//---------------------------------------------------------------------------------------------------------------------
int main() {
// Each pipeline step is called with an xvalue of the previous stage's result.
// It means we can accept a value and move from it, as we've been doing, or we can process directly on the rvalue:
constexpr auto process_string = [](std::string&& s) {
std::reverse(s.begin(), s.end());
// We can move our string from here and pass it forward, without reallocations.
return std::move(s);
};
// lvalue references don't bind to rvalues, so the previous function won't work in a pipeline if we change && to &.
// But const references do so, we can use const& in our input type, if no modification is going to be done:
constexpr auto print_string = [](const std::string& s) { std::cout << s << std::endl; };
// We declare the pipeline.
// The input must always contain value types.
auto pipeline = tdp::input<std::string> >> process_string >> tdp::consumer{print_string};
// Watch it as it goes.
pipeline.input("!dlroW olleH");
pipeline.input("TACOCAT");
// We insert a delay before destruction, so the pipeline finishes execution.
using namespace std::chrono_literals;
std::this_thread::sleep_for(100ms);
}