0

我的 shell 排序如下所示:

template<class T>
void shellSort(T *begin, T *end) {
    int shell = 1;

    while (shell < (begin - end) / 3) shell = shell * 3 + 1;
    while (shell > 0) {
        for (auto index = shell; index < end; index++) {
            for (auto insertion = index; insertion >= shell && *(insertion - shell) > *(insertion); insertion -= shell) {
                swap(*(insertion - shell), *(insertion));
            }
        }

        shell = shell / 3;
    }
}

漂亮的磨坊。我遇到的问题是在这一行:

for (auto index = shell; index < end; index++)

由于shellis anintendis anint *它不知道如何进行比较。我该如何解决这个问题?

4

2 回答 2

3

假设这些是随机访问迭代器,否则性能会很差。

您可以使用std::distance来获取两个迭代器之间的差异。您还可以使用std::advance将整数添加到迭代器。

于 2013-09-06T20:48:32.737 回答
1

使用“迭代器”来寻址项目,并且仅使用整数作为相对偏移量:

for (auto index = begin + shell; index < end; ++index) ...

顺便说一句,你可能想要shell < (end - begin)/3,而不是(begin - end)

于 2013-09-06T20:43:37.577 回答