1

我有一个名为 WordSort(worddata W [], int count) 的函数,它输入两个变量 1 - worddata 是保存文件中给定单词信息的数组。count 只是计数器变量,用于查看我们正在查看的数组中的哪个单词。

读入该程序的 words.txt 文件将只是一串单词。

this is a list of words
there are letters and numbers
23 people recommend this program.

继承人的功能:

void WordSort (worddata W [], int count)
{
  for (int i=1; i < count; i++)
         {
           for (int j=i; j > 0 && W[j-1].word > W[j].word; j--)
             {
               Swap(W[j], W[j-1]);
             }
         }
}

交换函数假设只要 j > 0 或列表结束,就将每个元素与它之前的元素交换。我对如何完成交换功能感到困惑,这是我给出的示例。

void Swap (worddata & a, worddata & b)
{
 int += a;
 a = b;
 b =+;
}

Swap 假设将每个元素与它之前的元素交换

我认为 WordSort 函数工作正常,唯一缺少的是 Swap 函数。谁能指出我正确的方向或更好地向我解释插入排序?

4

4 回答 4

3
void insertion_sort()
{


    /* Algorithm : Insertion Sort
     * Coded by .
    */
    int num;
    /*
     * Asking the User no of Integers he/she wants to enter
     */
    cout << "Enter no of integers u want to enter: ";
    cin >> num;
    /* Creating an Array to store the integers*/
    int s[num];
    /*Taking Integers from the User */
    for(int i = 0 ; i < num ; i++)
    {
        cout << "Integer " << i+1 << " is : ";
        int x;
        cin >> x;
        s[i] = x;
    }
    /* The Magic of INSERTION SORT */
    for(int j = 1 ; j <= (num-1) ; j++)
    {
        int key = s[j]; 
        int k = j-1;

        while(k >=0 && key <= s[k])
        {
            s[k+1] = s[k];
            k = k - 1;
        }
        s[k+1]=key;

    }
    /*Printing Out the Sorted List */
    cout << "The Sorted List is \n\n";
    for(int i = 0 ; i < num ; i++)
    {
        cout << s[i] << "  ";
    }

}
于 2014-12-14T14:16:12.280 回答
2

请改用标准库std::swap。在你的循环中:

for (...)
{
    std:swap(W[j], W[j-1]);
}

std::swap 要求 worddata 类具有显式或隐式定义的复制构造函数和赋值运算符。

于 2013-09-10T01:07:16.310 回答
1

交换应该是这样的——我不知道你的例子是如何接近的。

void Swap (worddata & a, worddata & b)
{
 worddata temp = a;
 a = b;
 b = temp;
}
于 2013-09-10T00:53:53.673 回答
0

使用“for循环”的插入排序(2次迭代)

#include<iostream>
using namespace std;


int insertion(int arr[], int size_arr)
{
    int i,j,n, temp;

    for(i=1;i<size_arr; i++){
            j=i-1;
            temp = arr[i];
            for (j; j >=  0; j--)
        {
            if(arr[j] > temp){
                        arr[j+1] = arr[j];
                        arr[j] = temp;
            }
        }
            arr[j] = temp;
      }

    for(i=0;i<size_arr;i++){
        cout<<arr[i]<<endl;
    }
    return 0;
}

int main(){
    int arr[] = {3,38,1,44,66,23,105,90,4,6};
    int size_arr = sizeof(arr) / sizeof(arr[0]);
    insertion(arr,size_arr);
    return 0;
}
于 2021-04-27T15:06:26.863 回答