1

WordSort(worddata W [], int count) というこの関数には、2 つの変数 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]);
             }
         }
}

swap 関数は、j > 0 またはリストが終了している限り、すべての要素をその前の要素と交換することを想定しています。スワップ機能を完了する方法について混乱しています。これが私が与えられた例です。

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

スワップは、すべての要素をその前の要素と交換することを想定しています

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 に答える