C++ 对指向结构的常量指针数组进行排序

C++ Sorting array of const pointers to structs

本文关键字:数组 指针 排序 常量 结构 C++      更新时间:2023-10-16

我有排序功能:

void countingSort(TPhone * const * array, int count) {
    // some code
    // making copy od array
    TPhone * const * arrayCopy = new TPhone * [count];
    for(int i = 0; i < count; i++) {
        arrayCopy[i] = array[i];
    }
    for(int i = 0; i < count; i++) {
        int index = // some function to determine where to place array[i]
        array[index] = arrayCopy[i];
    }
}

我省略了有关排序算法的详细信息,因为问题出在其他地方。问题是,arrayCopy的声明有问题。

在线上

arrayCopy[i] = array[i]
...
array[index] = arrayCopy[i];

我收到此错误消息

error: assignment of read-only location ‘*(arrayCopy + ((sizetype)(((long unsigned int)i) * 8ul)))’
error: assignment of read-only location ‘*(array + ((sizetype)(((long unsigned int)index) * 8ul)))’

声明中的const用法一定有问题,但我不知道如何解决......

从右到左读取常量和指针声明:

TPhone * const * arrayCopy
   ^   ^   ^   ^    ^
   |   |   |   |    ---- arrayCopy is a 
   |   |   |   ------------ pointer to
   |   |   ------------------- const
   |   -------------------------- pointer to
   --------------------------------- TPhone

因此,arrayCopy 实际上是一个常量指针数组(数组也是如此)。 常量指针不能移动(即你不能改变它们指向的位置)。 因此,您无法覆盖它们,因此无法对它们进行排序。

如果你想要一个指向常量 TPhone 的指针数组(即,你不能改变 TPhone 的字段,但你可以移动指针),那么你应该移动 const:

pointer to constant TPhone:
TPhone const *   // right-to-left
array of pointer to constant TPhone:
TPhone const * []   // right-to-left
but since arrays can't easily be passed to functions, you can use a pointer:
TPhone const * *   // right-to-left

然后,您可以更改指针(只是内存地址),但不能更改实际的 TPhone 对象。