Spaces:
Runtime error
Runtime error
// 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; | |
} | |