在cuda内核中访问类的私有成员

时间:2011-05-17 08:46:04

标签: c++ cuda private-members

我创建了一个类并将其对象传递给cuda内核。

内核的代码是:

__global__ void kernel(pt *p,int n)
{
int id=blockDim.x*blockIdx.x+threadIdx.x;
if(id<n)
{
    p[id]=p[id]*p[id];
}}

它会出现以下错误:error: ‘int pt::a’ is private

问题是: 如何访问班级的私人会员?

如果没有私人成员,该程序可以正常运行

class pt{
int a,b;
public:
pt(){}
pt(int x,int y)
{
    a=x;
    b=y;
}
friend ostream& operator<<(ostream &out,pt p)
{
    out<<"("<<p.a<<","<<p.b<<")\n";
    return out;
}
int get_a()
{
    return this->a;
}
int get_b()
{
    return this->b;
}
__host__ __device__ pt operator*(pt p)
{
    pt temp;
    temp.a=a*p.a;
    temp.b=b*p.b;
    return temp;
}
pt operator[](pt p)
{
    pt temp;
    temp.a=p.a;
    temp.b=p.b;
    return temp;
}
void set_a(int p)
{
    a=p;
}
void set_b(int p)
{
    b=p;
}};

2 个答案:

答案 0 :(得分:1)

类的私有成员只能由其成员函数及其朋友访问。

答案 1 :(得分:1)

您的C ++代码中存在一些错误。

这在我的机器上编译(CUDA 4.0 Mac Osx)

#include <iostream>

class pt {
    int a,b;
public:
    __host__ __device__ pt(){}
    __host__ __device__ pt(int x,int y) : a(x), b(y)
    {
    }

int get_a()
{
    return this->a;
}
int get_b()
{
    return this->b;
}

__host__ __device__ pt operator*(pt p)
{
    pt temp;
    temp.a=a*p.a;
    temp.b=b*p.b;
    return temp;
}
pt operator[](pt p)
{
    pt temp;
    temp.a=p.a;
    temp.b=p.b;
    return temp;
}
void set_a(int p)
{
    a=p;
}
void set_b(int p)
{
    b=p;
}

friend std::ostream& operator<<(std::ostream &out,pt p);

};

std::ostream& operator<<( std::ostream &out,pt p)
{
    out<<"("<<p.a<<","<<p.b<<")\n";
    return out;
}

__global__ void kernel(pt *p,int n)
{
int id=blockDim.x*blockIdx.x+threadIdx.x;
if(id<n)
{
    p[id]=p[id]*p[id];
}}