我试图取一个用户输入的复数(3-8i或-1 + 5i),然后按照与上面相同的格式按升序对其进行排序,如果相同则为虚数。
我首先要求用户输入复数或ctr-d来终止程序然后排序。然后我想将字符串转换为浮点数。一旦浮动我想快速排序它。这是一个正确的方法吗?我知道我有很多错误。
void QuickSort(vector <float> &vec)
{
quick_sort(vec, 0, vec.size() - 1);
}
void quick_sort (vector<float> &vec, float left, float right){
float pivot, ltemp, rtemp;
ltemp = left;
rtemp = right;
pivot = vec;
while (left < right){
while ((vec >= pivot) && (left < right)){
right--;
}
if (left != right){
vec = vec;
left++;
}
while ((vec <=pivot) && (left < right)) {
left++;
}
if (left != right){
vec = vec;
right--;
}
vec = pivot;
pivot = left;
left = ltemp;
right = rtemp;
if (left < pivot){
quick_sort(vec, left, pivot -1);
}
if (left != right){
vec = vec;
left++;
}
while ((vec <=pivot) && (left < right)) {
left++;
}
if (left != right){
vec = vec;
right--;
}
vec = pivot;
pivot = left;
left = ltemp;
right = rtemp;
if (left < pivot){
quick_sort(vec, left, pivot -1);
}
if (right > pivot){
quick_sort(vec, pivot +1, right);
}
}
int main(){
string user;
vector <float> V;
for (int y = 0; y < 5; y++)
{
cout << "Enter a complex number:" << endl;
cin >> user >> test1;
float usr = atof(user.c_str());
V.push_back(usr);
}
QuickSort(V);
for (int z = 0; z < V.size(); z++)
cout << V[z] << endl;
return 0;
}
答案 0 :(得分:1)
这是一个如何解析一些复数然后使用C ++标准库对它们进行排序的示例。如果您想作为学习练习,您可以一次更换一个部分 - 例如引入您自己的类型而不是std::complex
,读取其他一些输入格式(而不是带括号的逗号分隔数字,而不是尾随&#34; i&#34;),和/或使用您自己的类型。
#include <iostream>
#include <complex>
#include <vector>
#include <sstream>
#include <algorithm>
int main()
{
std::istringstream iss("(1.0,-2.3)\n"
"(1.0,1.2)\n"
"(-2, 0)\n"
"(0, 2)\n");
typedef std::complex<double> Complex;
std::vector<Complex> nums;
Complex c;
while (iss >> c)
nums.push_back(c);
std::sort(std::begin(nums), std::end(nums),
[](Complex x, Complex y)
{
return x.real() < y.real() ||
x.real() == y.real() && x.imag() < y.imag();
});
for (auto& c : nums)
std::cout << c << '\n';
}
输出:
(-2,0)
(0,2)
(1,-2.3)
(1,1.2)
注意:我刚刚使用了std::istringstream
,因此输入可以在程序中进行硬编码以便于测试:如果要从标准输入读取,只需更改为while (std::cin >> c)
(键盘默认情况下。)
您可以看到代码正在运行here