| | #include <thrust/device_vector.h> |
| | #include <thrust/host_vector.h> |
| | #include <thrust/generate.h> |
| | #include <thrust/sort.h> |
| | #include <thrust/binary_search.h> |
| | #include <thrust/iterator/counting_iterator.h> |
| | #include <thrust/random.h> |
| |
|
| | #include <iostream> |
| | #include <iomanip> |
| |
|
| | |
| | typedef thrust::tuple<float,float> vec2; |
| |
|
| | |
| | vec2 make_random_vec2(void) |
| | { |
| | static thrust::default_random_engine rng; |
| | static thrust::uniform_real_distribution<float> u01(0.0f, 1.0f); |
| | float x = u01(rng); |
| | float y = u01(rng); |
| | return vec2(x,y); |
| | } |
| |
|
| | |
| | |
| | struct point_to_bucket_index : public thrust::unary_function<vec2,unsigned int> |
| | { |
| | unsigned int width; |
| | unsigned int height; |
| |
|
| | __host__ __device__ |
| | point_to_bucket_index(unsigned int width, unsigned int height) |
| | : width(width), height(height) {} |
| |
|
| | __host__ __device__ |
| | unsigned int operator()(const vec2& v) const |
| | { |
| | |
| | unsigned int x = static_cast<unsigned int>(thrust::get<0>(v) * width); |
| | unsigned int y = static_cast<unsigned int>(thrust::get<1>(v) * height); |
| |
|
| | |
| | return y * width + x; |
| | } |
| |
|
| | }; |
| |
|
| | int main(void) |
| | { |
| | const size_t N = 1000000; |
| |
|
| | |
| | thrust::host_vector<vec2> h_points(N); |
| | thrust::generate(h_points.begin(), h_points.end(), make_random_vec2); |
| |
|
| | |
| | thrust::device_vector<vec2> points = h_points; |
| |
|
| | |
| | |
| | unsigned int w = 200, h = 100; |
| |
|
| | |
| | |
| | |
| | thrust::device_vector<unsigned int> bucket_begin(w*h); |
| | thrust::device_vector<unsigned int> bucket_end(w*h); |
| |
|
| | |
| | thrust::device_vector<unsigned int> bucket_indices(N); |
| |
|
| | |
| | thrust::transform(points.begin(), |
| | points.end(), |
| | bucket_indices.begin(), |
| | point_to_bucket_index(w,h)); |
| |
|
| | |
| | thrust::sort_by_key(bucket_indices.begin(), |
| | bucket_indices.end(), |
| | points.begin()); |
| |
|
| | |
| | thrust::counting_iterator<unsigned int> search_begin(0); |
| | thrust::lower_bound(bucket_indices.begin(), |
| | bucket_indices.end(), |
| | search_begin, |
| | search_begin + w*h, |
| | bucket_begin.begin()); |
| |
|
| | |
| | thrust::upper_bound(bucket_indices.begin(), |
| | bucket_indices.end(), |
| | search_begin, |
| | search_begin + w*h, |
| | bucket_end.begin()); |
| |
|
| | |
| | unsigned int bucket_idx = 50 * w + 150; |
| | std::cout << "bucket (150, 50)'s list of points:" << std::endl; |
| | std::cout << std::fixed << std::setprecision(6); |
| | for(unsigned int point_idx = bucket_begin[bucket_idx]; |
| | point_idx != bucket_end[bucket_idx]; |
| | ++point_idx) |
| | { |
| | vec2 p = points[point_idx]; |
| | std::cout << "(" << thrust::get<0>(p) << "," << thrust::get<1>(p) << ")" << std::endl; |
| | } |
| |
|
| | return 0; |
| | } |
| |
|
| |
|