我需要一个程序的帮助,该程序允许用户随机读取数组的任何条目。如果用户尝试在有用区域之外读取,则数据结构应返回0.此外,它允许用户仅对有用区域进行随机写入访问。如果用户尝试在数组的应该为0的部分中写入内容,则打印错误消息。 此外,程序应该具有构造函数,该构造函数仅将数组参数作为输入并将所有数组初始化为0.第二个构造函数应另外将一个int数组作为输入,将其值复制到您正在进行的数组的有用部分。
这是数组的形式
[ 0 0 0 0 ... 0 0 1 2 3 4 5 0 0 .... 0 0 ]
我不知道如何创建Sparse Array,我也不想使用现有的库。
我尝试创建一个使用Overload运算符的动态数组,但我的问题是我甚至不知道什么是稀疏数组以及如何创建它。
#include <iostream>
using namespace std;
class MyArray
{
friend ostream& operator<< (ostream &os, MyArray &array);
public:
MyArray (int size);
MyArray (const MyArray &rhs);
~MyArray ();
MyArray& operator= (const MyArray& rhs);
int& operator[] (int index);
int read_element (int index);
void write_element (int index, int value);
private:
int *storage;
int size;
};
#include "sparse_array_1d.h"
MyArray::MyArray (int size)
{
storage = new int[size];
this->size = size;
}
MyArray::MyArray (const MyArray &rhs)
{
size = rhs.size;
storage = new int[size];
(*this) = rhs;
}
MyArray::~MyArray ()
{
delete [] storage;
}
int MyArray::read_element (int index)
{
return storage[index];
}
void MyArray::write_element (int index, int value)
{
storage[index] = value;
}
MyArray& MyArray::operator= (const MyArray &rhs)
{
int i,min_size;
if (size < rhs.size)
min_size = size;
else
min_size = rhs.size;
for (i=0; i<min_size; i++)
storage[i] = rhs.storage[i];
return (*this);
}
int& MyArray::operator[] (int index)
{
if (index < size && index >=0)
return storage[index];
return storage[0];
}
ostream& operator<< (ostream &os, MyArray &array)
{
int i;
os << "[ ";
for (i=0; i<array.size; i++)
os << array[i] << " ";
os << "]" << endl;
return os;
}
#include <iostream>
#include "sparse_array_1d.h"
using namespace std;
int main()
{
int i,size;
cout << "What array sizes would you like?" << endl;
cin >> size;
MyArray p1 (size);
//int q=1;
for (i=0; i<size; i++)
{
p1[i] = 0;
//q++;
}
cout << "p1: " << endl;
cout << p1;
int x;
cout << endl;
cout << "enter numbers : " << endl;
for (i=0 ; i<size; i++)
{
cin >> p1[i];
}
cout << "This is the array" << endl;
cout << p1;
cout << endl;
return 0;
}
答案 0 :(得分:0)
有趣的是,我相信我们在同一个班级。但是听一下,当您将数组动态初始化为某个用户选择的大小(int N;
)并且全部为零时,您可能已经创建了稀疏数组。
由于您立即将所有N个元素填充为零,因此您已启动稀疏数组。在构造函数完成第一个之后,您的析构函数会自动生成(如果您构建了一个),则清除数组中的所有内存。所以你有一个N元素插槽阵列准备好接收N个元素。但是,在此之前所有N个元素槽区域基本上都是空的,因此不使用内存。但是数组仍然存在,因此你的稀疏数组。
答案 1 :(得分:-2)
我认为矢量类加上一些if
应该做你想做的一切,不需要重新创建它。
您可以使用两个向量,一个用于存储元素,另一个用于存储它们的位置。
vector<int> values,positions;
int c,success;
cout<<"Insert element"<<endl;
cin>>c;
positions.push_back(c);
cout<<"Insert value"<<endl;
cin>>c;
values.push_back(c);
cout<<"Which element you want to read?"<<endl;
cin>>c;
success=0;
for(int i=0;i<values.size();;i++){
if(positions[i]==c){
cout<<values[i]<<endl;
success=1;
}
if(success==0)
cout<<"Out of bounds: 0"<<endl;