我使用g ++ -std = c ++ 11 Sort.cpp来编译我的文件。
我的问题是泡泡排序没有排序。
也许我按价值传递了数据,但我不知道我的第一次尝试使用c ++,我选择使用矢量库。
我的代码是:
#include <iostream>
#include <vector>
using namespace std;
void bubbleSort(vector<int> a);
void printVector(vector<int> a);
int main(int argc, char const *argv[])
{
vector<int> a{3,2,6,1};
printVector(a);
bubbleSort(a);
printVector(a);
}
void bubbleSort(vector<int> a)
{
bool swapp = true;
while(swapp)
{
swapp = false;
for (int i = 0; i < a.size()-1; i++)
{
if (a[i]>a[i+1] )
{
a[i] += a[i+1];
a[i+1] = a[i] - a[i+1];
a[i] -=a[i+1];
swapp = true;
}
}
}
}
void printVector(vector<int> a)
{
for (int i=0; i <a.size(); i++)
{
cout<<a[i]<<" ";
}
cout<<endl;
}
在主要内容中我声明了一个int类型的矢量类型并将列表{3,2,6,1}
之后调用函数printVector
假装在控制台上打印所有数量的向量并调用bubbleSort
函数,最后再次打印。
答案 0 :(得分:6)
您需要通过引用传递;通过复制,您可以对临时副本进行排序,然后就是这样;它会消失,原始文件仍然没有排序,因为,再一次,您只对整个矢量的临时副本进行了排序。
所以将vector<int> a
更改为vector<int>& a
。
这是代码,已修复:
http://coliru.stacked-crooked.com/a/2f118555f585ccd5
#include <iostream>
#include <vector>
using namespace std;
void bubbleSort(vector<int>& a);
void printVector(vector<int> a);
int main(int argc, char const *argv[])
{
vector<int> a {3,2,6,1};
printVector(a);
bubbleSort(a);
printVector(a);
}
void bubbleSort(vector<int>& a)
{
bool swapp = true;
while(swapp){
swapp = false;
for (size_t i = 0; i < a.size()-1; i++) {
if (a[i]>a[i+1] ){
a[i] += a[i+1];
a[i+1] = a[i] - a[i+1];
a[i] -=a[i+1];
swapp = true;
}
}
}
}
void printVector(vector<int> a){
for (size_t i=0; i <a.size(); i++) {
cout<<a[i]<<" ";
}
cout<<endl;
}
答案 1 :(得分:2)
您将向量作为值传递给函数,这意味着您要对副本进行排序,而不是原始向量,然后打印原始向量的副本。
将参数更改为vector<int> &a
功能中的bubbleSort
和vector<int> const &a
功能中的printVector
(因为您无需更改此处的矢量内容) )。
顺便说一下,您的代码可能会受到签名者整数溢出导致的未定义行为的影响。
您应该使用另一种方法来交换元素std::swap
,例如:
std::swap(a[i], a[i + 1]);
答案 2 :(得分:0)
我也被困在它上面了一段时间。 VermillionAzure已经对这个问题做了很好的回答,但仍然坚持我的解决方案。我没有使用std :: swap只是因为我喜欢手工做更多。
#include <iostream>
#include <vector>
//function to swap values
//need to pass by reference to sort the original values and not just these copies
void Swap (int *a, int *b)
{
int temp = *a;
*a = *b;
*b = temp;
}
void BubbleSort (std::vector<int> &array)
{
std::cout<<"Elements in the array: "<<array.size()<<std::endl;
//comparisons will be done n times
for (int i = 0; i < array.size(); i++)
{
//compare elemet to the next element, and swap if condition is true
for(int j = 0; j < array.size() - 1; j++)
{
if (array[j] > array[j+1])
Swap(&array[j], &array[j+1]);
}
}
}
//function to print the array
void PrintArray (std::vector<int> array)
{
for (int i = 0; i < array.size(); i++)
std::cout<<array[i]<<" ";
std::cout<<std::endl;
}
int main()
{
std::cout<<"Enter array to be sorted (-1 to end)\n";
std::vector<int> array;
int num = 0;
while (num != -1)
{
std::cin>>num;
if (num != -1)
//add elements to the vector container
array.push_back(num);
}
//sort the array
BubbleSort(array);
std::cout<<"Sorted array is as\n";
PrintArray(array);
return 0;
}