Объявить константный указатель на int? - PullRequest
6 голосов
/ 14 декабря 2011

В C ++ мы имеем следующее:

int* p1;              // pointer to int
const int* p2;        // pointer to constant int
int* const p3;        // constant pointer to int
const int* const p4;  // constant pointer to constant int

и в D:

int* p1;              // pointer to int
const(int)* p2;       // pointer to constant int
?? ?? ??              // constant pointer to int
const(int*) p4;       // constant pointer to constant int

каков синтаксис для constant pointer to int?

Ответы [ 2 ]

10 голосов
/ 14 декабря 2011
5 голосов
/ 14 декабря 2011

Я думаю, вы можете смоделировать это:

struct Ptr(T)
{
    T* _val;

    this(T* nval) const
    {
        _val = nval;
    }

    @property T* opCall() const
    {
        return cast(T*)_val;
    }

    alias opCall this;
}

void main()
{
    int x = 1;
    int y = 2;
    const Ptr!int ptrInt = &x;
    assert(*ptrInt == 1);

    *ptrInt = y;  // ok
    assert(*ptrInt == 2);
    assert(x == 2);

    ptrInt = &y;  // won't compile, good.
}
...