18

使用以下代码

void TestF(const double ** testv){;}
void callTest(){
    double** test;
    TestF(test);
}

我明白了:

'TestF' : cannot convert parameter 1 from 'double **' to 'const double **'

我不明白为什么。为什么test不能默默地投到const double**?我为什么要明确地这样做?我知道

TestF(const_cast<const double**>(test)) 

使我的代码正确,但我觉得这应该是不必要的。

我缺少一些关于const的关键概念吗?

4

2 回答 2

13

double **该语言允许从to隐式转换const double *const *,但不允许 to const double **。您尝试的转换将隐含地违反 const 正确性规则,即使它不是立即显而易见的。

[de-facto standard] C++ FAQ 中的示例说明了这个问题

https://isocpp.org/wiki/faq/const-correctness#constptrptr-conversion

基本上,规则是:一旦你添加const了某个级别的间接,你必须一直添加const到所有级别的间接。例如,int *****不能隐式转换为int **const ***,但可以隐式转换为int **const *const *const *

于 2013-11-11T15:52:38.110 回答
11

double **a不能隐式转换为 a是正确的const double **。不过,它可以转换为const double * const *

想象一下这个场景:

const double cd = 7.0;
double d = 4.0;
double *pd = &d;
double **ppd = &pd;
const double **ppCd = ppd;  //this is illegal, but if it were possible:
*ppCd = &cd;  //now *ppCd, which is also *ppd, which is pd, points to cd
*pd = 3.14; // pd now points to cd and thus modifies a const value!

因此,如果您的函数不打算修改任何涉及的指针,请将其更改为const double * const *. 如果它打算做修改,你必须决定它所做的所有修改是否都是安全的,因此const_cast可以使用,或者你是否真的需要传入一个const double **.

于 2013-11-11T15:51:31.857 回答