C:对std :: vector迭代器进行offseting的正确演员是什么?
作者:互联网
我有一个函数,它接受一个std :: vector of double,并将它们复制到另一个向量,但是在一个特定的偏移处(假设有足够的空间):
void copy_stuff(const std::vector<double> & data,
std::vector<double> & dest,
size_t dest_offset) {
std::copy(data.begin(), data.end(), dest.begin() + dest_offset);
}
这导致C 11 clang编译器 – 以dest_offset部分为中心的每个警告:
Implicit conversion changes signedness: ‘size_t’ (aka ‘unsigned long’) to ‘difference_type’ (aka ‘long’).
我不确定如何强制转换表达式dest.begin()dest_offset以消除此警告.将结果转换为double *不会编译:
std::copy(data, data + data_size, static_cast<double *>(dest.begin() + dest_offset));
Cannot cast from type ‘std::__1::__wrap_iter’ to pointer type ‘double *’.
我曾考虑过使用矢量索引然后获取地址:
std::copy(data, data + data_size, &dest[dest_offset]);
这似乎消除了这种情况下的警告,但是如果我尝试使用与源向量相同的模式,即使用与std :: copy的第一个或第二个参数相关的偏移量,则不会编译.例如:
static void copy_stuff_differently(const std::vector<double> & data,
std::vector<double> & dest,
size_t offset) {
std::copy(data.begin() + offset, data.end(), dest.begin());
}
在偏移量上给出隐式转换的相同原始警告.尝试使用索引地址可能会建议:
std::copy(&data[offset], data.end(), dest.begin());
或者是一个不同但相似的案例:
std::copy(data.begin(), &data[offset], dest.begin());
但是两者都会导致类似的错误:
test.cpp:8:3: error: no matching function for call to 'copy'
std::copy(&data[offset], data.end(), dest.begin());
^~~~~~~~~
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/../include/c++/v1/iterator:1286:48: note:
candidate template ignored: deduced conflicting types for parameter '_Ip' ('const double *' vs.
'std::__1::__wrap_iter<const double *>')
template <class _Ip, class _Op> friend _Op copy(_Ip, _Ip, _Op);
^
我正在寻找一种一致且无警告的方法来处理这种偏移.将偏移量处理为向量并避免此类错误和警告的正确方法是什么?
解决方法:
I’m not sure how I should cast the expression
dest.begin() + dest_offset
in order to eliminate this warning.
警告只是告诉你dest_offset应该是std :: vector :: difference_type类型,但它是size_t.
您可以显式执行转换以消除警告(请注意,如果源值无法在difference_type中表示,则结果是实现定义的).例如
dest.begin() + static_cast<std::vector<double>::difference_type>(dest_offset)
或者从头开始声明参数dest_offset,类型为difference_type.
请注意,std::vector::difference_type是有符号整数类型(通常为std::ptrdiff_t),与size_t不同;这是一个无符号整数类型.
标签:static-cast,offset,c,c11,vector 来源: https://codeday.me/bug/20190724/1522930.html