我需要编写一个函数,它接受一个给定的数组,然后将它分成两个独立的数组,其中一个数组的元素是主数组的正元素,另一个元素是主数组的负元素。我似乎无法弄清楚这样做的循环是什么样的。
我编写了一个单独的函数来确定主数组中有多少正值和负值:
void count(int ARRAY[], int SIZE, int&NEG, int&POS)
{
for (int x=0; x<SIZE; x++)
{
if(ARRAY[x]>=0)
{
POS=POS+1 ;
}
if(ARRAY[x]<0)
{
NEG=NEG+1 ;
}
}
}
这计算正数和负数,每个的数量将是拆分后各自正负数组的大小。
我已经定义了这个函数:
void split(int ARRAY[], int SIZE, int&NEG_ARRAY, int NEG, int&POS_ARRAY, int POS)
我只是不知道如何将主数组中的每个正元素设置为新的Positive-Only数组中的元素,同样也设置为负数组。
感谢您的帮助!
在使用给出的答案并尽力使用其余代码后,我在尝试编译时遇到了大约一百万行错误。我如何删除三个动态分配的数组有问题吗?什么巨大的错误阻止编译? 这是我的代码:
#include <iostream>
using namespace std;
void count(int ARRAY[], int SIZE, int&NEG, int&POS);
void split(int ARRAY[], int SIZE, int&NEG_ARRAY, int NEG, int&POS_ARRAY, int POS);
void print_array(int ARRAY[], int SIZE);
int main()
{
int SIZE (0);
int * ARRAY ;
cout<<"Enter number of elements: " ;
cin>> SIZE ;
ARRAY = new int[SIZE] ;
int x(0);
int numEle(0);
cout<<"Enter list: " <<endl;
while(numEle<SIZE)
{
ARRAY[numEle] = x ;
numEle++;
cin>>x;
}
int POS(0), NEG(0) ;
count(ARRAY, SIZE, NEG, POS) ;
int * NEG_ARRAY;
NEG_ARRAY = new int[NEG];
int * POS_ARRAY;
POS_ARRAY = new int[POS];
split(ARRAY, SIZE, NEG_ARRAY, NEG, POS_ARRAY, POS) ;
cout<<"Negative elements: "<<endl;
cout<<print_array(NEG_ARRAY, NEG) <<endl;
cout<<"Non-negative elements: "<<endl;
cout<<print_array(POS_ARRAY, POS)<<endl;
delete[] ARRAY;
delete[] NEG_ARRAY;
delete[] POS_ARRAY;
return 0;
}
void count(int ARRAY[], int SIZE, int&NEG, int&POS)
{
for (int x=0; x<SIZE; x++)
{
if(ARRAY[x]>=0)
{
POS=POS+1 ;
}
if(ARRAY[x]<0)
{
NEG=NEG+1 ;
}
}
}
void split(int ARRAY[], int SIZE, int&NEG_ARRAY, int NEG, int&POS_ARRAY, int POS)
{
NEG=POS=0;
for(int x=0; x<SIZE; x++)
{
if(ARRAY[x]<0)
{ NEG_ARRAY[NEG++]=ARRAY[x]; }
else {POS_ARRAY[POS++]=ARRAY[x]; }
}
}
void print_array(int ARRAY[], int SIZE)
{
for(int i=0; i<SIZE; i++)
{
cout << ARRAY[i] << " " ;
}
cout<<endl;
}
代码应该在数组中读取并显示新的负数和正数。提前谢谢!
答案 0 :(得分:1)
你可能会得到一些C风格的答案
但是在这里我如何使用STL算法,因为它被标记为C++
bool is_pos(int i) { return i > 0; }
auto p = std::partition(std::begin(ARRAY),
std::end(ARRAY), std::ptr_fun(is_pos));
std::copy(std::begin(ARRAY), p, std::begin(POS_ARRAY));
std::copy(p, std::end(ARRAY), std::begin(NEG_ARRAY));
此外,您应该使用std::vector
进行此类操作
演示Here
答案 1 :(得分:0)
很容易修改count()
功能:
void split(int ARRAY[], int SIZE, int NEG [], int POS [])
{
int ncount = 0, pcount = 0;
for (int x=0; x<SIZE; x++)
{
if(ARRAY[x]>=0)
{
POS[pcount++] = ARRAY[x];
}
if(ARRAY[x]<0)
{
NEG[ncount++] = ARRAY[x];
}
}
}
答案 2 :(得分:0)
此代码将分为负数&amp;正数进入单独的数组,
void split(int ARRAY[], int SIZE, int NEG_ARRAY[], int&NEG, int POS_ARRAY[], int&POS)
{
NEG=POS=0;
for (int i(0); i<SIZE; i++)
{
if (ARRAY[i]<0) NEG_ARRAY[NEG++]=ARRAY[i];
else POS_ARRAY[POS++]=ARRAY[i];
}
}