数组索引表示法与std :: shared_ptr到一个数组

时间:2015-04-13 19:53:02

标签: c++ smart-pointers

我正在编写一些通过内在函数使用SSE / AVX的代码。因此,我需要保证对齐的数组。我试图通过_aligned_malloc使用以下代码制作这些代码:

template<class T>
std::shared_ptr<T> allocate_aligned( int arrayLength, int alignment )
{
   return std::shared_ptr<T>( (T*) _aligned_malloc( sizeof(T) * arrayLength, alignment ), [] (void* data) { _aligned_free( data ); } );
}

我的问题是,如何使用通常的数组索引表示法引用数组中的数据?我知道unique_ptr有一个数组的专门化,它调用delete []进行销毁,并允许数组索引表示法(即myArray[10]访问数组的第11个元素)。我需要使用shared_ptr。

这段代码给了我一些问题:

void testFunction( std::shared_ptr<float[]>& input )
{
   float testVar = input[5]; // The array has more than 6 elements, this should work
}

编译器输出:

error C2676: binary '[' : 'std::shared_ptr<_Ty>' does not define this operator or a conversion to a type acceptable to the predefined operator
1>          with
1>          [
1>              _Ty=float []
1>          ]

有办法做到这一点吗?我仍然是使用智能指针的新手,所以我可能搞砸了一些简单的东西。谢谢你的帮助!

2 个答案:

答案 0 :(得分:2)

您完全想要的内容在C ++中实际上是不可能的。

原因很简单:shared_ptr没有为他们实施operator[]operator[]必须作为成员实施。

但是,您可以通过以下三个选项中的一个获得非常接近:

  1. 只需使用成员类型正确对齐的vector(例如__m128中的xmmintrin.h),然后放弃所有其他工作。

  2. 自己实现类似于shared_ptr的类(可能在引擎盖下使用std::shared_ptr

  3. 在需要时提取原始指针(float testVar = input.get()[5];)并将其编入索引。

答案 1 :(得分:0)

对于遇到类似问题的人,以下内容可能有所帮助。不使用指向数组的共享指针,而是使用指向指针的共享指针。您仍然可以使用索引表示法,但在此之前需要取消引用共享指针:

std::shared_ptr<int*> a = std::make_shared<int*>(new int[10]);
(*a)[0] = 5;
std::cout << (*a)[0] << std::endl;