1

我是 SYCl/DPC++ 的初学者。我想打印 10 的倍数,但不是那样,而是用 0 代替。

我正在使用 USM(统一共享内存),并且正在隐式检查共享内存和主机内存中的数据移动。因此,我创建了两个数组,并对其进行了初始化和操作。我可以看到他们两个相同的结果。

这是我的代码;我不明白我哪里出错了。

#include <CL/sycl.hpp>
#include<iostream>
using namespace std;
using namespace sycl;
constexpr int n = 10;

int main() {
  queue q;
  int *hostArray = malloc_host<int>(n, q);
  int *sharedArray = malloc_shared<int>(n, q);

  for (int i = 0; i < n; i++)
    hostArray[i] = i;
  q.submit([&](handler &h) {
      h.parallel_for(n, [=](id<1> i) {
          sharedArray[i] = hostArray[i] * 10;
        });
    });

  for (int i = 0; i <  n; i++) {
    hostArray[i] = sharedArray[i];
    cout<<hostArray[i]<<" "<<sharedArray[i];
    cout<<"\n";
  }
  cout<<"\n";
  return 0;
}

预期成绩:

                  0   0
                  10 10
                  20 20
                  30 30
                  40 40
                  50 50
                  60 60
                  70 70
                  80 80
                  90 90

实际输出:

                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
                  0 0
4

1 回答 1

2

您在提交队列和主机代码中的 for 循环之间缺少障碍。

尽管在主机和设备上确实可以看到 USM 共享内存分配,但不能保证您提交到队列的命令组将在主机中的 for 循环之前执行:提交到队列异步执行 wrt调用线程。更新代码如下:

    #include <CL/sycl.hpp>
    #include<iostream>
    using namespace std;
    using namespace sycl;
    constexpr int n = 10;
    
    int main() {
      queue q;
      int *hostArray = malloc_host<int>(n, q);
      int *sharedArray = malloc_shared<int>(n, q);
    
      for (int i = 0; i < n; i++)
        hostArray[i] = i;
      q.submit([&](handler &h) {
          h.parallel_for(n, [=](id<1> i) {
              sharedArray[i] = hostArray[i] * 10;
            });
        });
      // Wait for completion of all previously submitted command groups
      q.wait();
    
      for (int i = 0; i <  n; i++) {
        hostArray[i] = sharedArray[i];
        cout<<hostArray[i]<<" "<<sharedArray[i];
        cout<<"\n";
      }
      cout<<"\n";
      return 0;
    }
于 2021-09-08T14:02:45.957 回答