This repository has been archived by the owner on Mar 21, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 757
/
Copy pathminimal_custom_backend.cu
60 lines (48 loc) · 2.31 KB
/
minimal_custom_backend.cu
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
51
52
53
54
55
56
57
58
59
#include <thrust/device_vector.h>
#include <thrust/for_each.h>
#include <thrust/transform.h>
#include <thrust/functional.h>
#include <thrust/execution_policy.h>
#include <iostream>
// This example demonstrates how to build a minimal custom
// Thrust backend by intercepting for_each's dispatch.
// We begin by defining a "system", which distinguishes our novel
// backend from other Thrust backends.
// We'll derive my_system from thrust::device_execution_policy to inherit
// the functionality of the default device backend.
// Note that we pass the name of our system as a template parameter
// to thrust::device_execution_policy.
struct my_system : thrust::device_execution_policy<my_system> {};
// Next, we'll create a novel version of for_each which only
// applies to algorithm invocations executed with my_system.
// Our version of for_each will print a message and then call
// the regular device version of for_each.
// The first parameter to our version for_each is my_system. This allows
// Thrust to locate it when dispatching thrust::for_each.
// The following parameters are as normal.
template<typename Iterator, typename Function>
Iterator for_each(my_system,
Iterator first, Iterator last,
Function f)
{
// output a message
std::cout << "Hello, world from for_each(my_system)!" << std::endl;
// to call the normal device version of for_each, pass thrust::device as the first parameter.
return thrust::for_each(thrust::device, first, last, f);
}
int main()
{
thrust::device_vector<int> vec(1);
// create an instance of our system
my_system sys;
// To invoke our version of for_each, pass sys as the first parameter
thrust::for_each(sys, vec.begin(), vec.end(), thrust::identity<int>());
// Other algorithms that Thrust implements with thrust::for_each will also
// cause our version of for_each to be invoked when we pass an instance of my_system as the first parameter.
// Even though we did not define a special version of transform, Thrust dispatches the version it knows
// for thrust::device_execution_policy, which my_system inherits.
thrust::transform(sys, vec.begin(), vec.end(), vec.begin(), thrust::identity<int>());
// Invocations without my_system are handled normally.
thrust::for_each(vec.begin(), vec.end(), thrust::identity<int>());
return 0;
}