我有一个包含几百万个值的数组,存储在 GPU 的全局内存中。除了几千之外,大多数都是零。这些值是设备上计算的结果。
我想1024尽快找到最大值及其索引。
有没有人有什么建议?
[此答案已根据 Robert Crovella 的评论进行编辑]
对于要实施的简单方法,我建议使用thrust::sort或thrust::sort_by_key按降序排列。在这两种情况下都可以通过 实现降序排序thrust::greater<int>()。
最简单的方法是thrust::sort按降序使用,这样您就可以从最大到最小顺序访问排序后的元素。
如果要保留原始数据向量的副本以及排序过程的索引,可以thrust::sort_by_key按降序使用。假设您感兴趣的数组有N元素。您可以通过 来创建递增索引的序列thrust::sequence。在您的情况下,键是元素数组N,而值是由 生成的数组thrust::sequence。按照降序使用后thrust::sort_by_key,值数组将包含可以访问第一个最大元素的索引。
请注意,您实际上对数据数组稀疏的情况感兴趣,因此您可能有兴趣仅对数据数组的非零值进行排序。如果您只想存储数组的非消失值,则不需要通过 创建索引向量d_indices,thrust::sequence但存储非消失数据值的索引就足够了。如果您已经有一个也包含 的数组0,那么您可以在按 执行排序操作之前提取非零值thrust::partition。
下面是一个完整的示例,显示了上述所有方法。
#include <thrust/host_vector.h>
#include <thrust/device_vector.h>
#include <thrust/reverse.h>
#include <thrust/copy.h>
#include <thrust/sort.h>
#include <cstdlib>
#include <iostream>
using namespace std;
struct is_not_zero
{
__host__ __device__ bool operator()(const int &x) { return x != 0; }
};
void main(void)
{
const int N = 8;
// --- Generate the data vector of random values on the host
thrust::host_vector<int> h_vec(N);
thrust::generate(h_vec.begin(), h_vec.end(), rand);
// --- Move the data vector to the device
thrust::device_vector<int> d_vec=h_vec;
// --- Make two copies of the data vector
thrust::device_vector<int> d_vec_copy=d_vec;
thrust::device_vector<int> d_vec_another_copy=d_vec;
// --- Push back some zero to test thrust::partition
d_vec_another_copy.push_back(0);
d_vec_another_copy.push_back(0);
d_vec_another_copy.push_back(0);
// --- Display the result
for(int i = 0; i<N+3; i++)
cout << d_vec_another_copy[i] << endl;
cout << endl;
// --- Generate the indices vector
thrust::device_vector<int> d_indices(N);
thrust::sequence(d_indices.begin(), d_indices.end(), 0, 1);
// --- Sort the indices vector by using the data vector as key in descending order
thrust::sort_by_key(d_vec.begin(), d_vec.end(), d_indices.begin(),thrust::greater<int>());
// --- Display the result
for(int i = 0; i<N; i++) {
int index = d_indices[i];
cout << "Original: " << d_vec_copy[index] << " Sorted: " << d_vec[i] << endl;
}
cout << endl;
// --- Use sort in descending order and forget the initial ordering
thrust::sort(d_vec_copy.begin(), d_vec_copy.end(), thrust::greater<int>());
// --- Display the result
for(int i = 0; i<N; i++)
cout << d_vec_copy[i] << endl;
cout << endl;
// --- Use partition prior to sort to extract the non-vanishing elements in descending order
thrust::partition(d_vec_another_copy.begin(), d_vec_another_copy.end(), is_not_zero());
thrust::sort(d_vec_another_copy.begin(), d_vec_another_copy.end(), thrust::greater<int>());
// --- Display the result
for(int i = 0; i<N; i++)
cout << d_vec_another_copy[i] << endl;
cout << endl;
getchar();
}
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
1189 次 |
| 最近记录: |