我的任务是用c ++创建伪数据库。给出了3个表,即商店名称(char *),年龄(int)和性别(bool)。编写一个程序,允许:
- 向表格添加新数据
- 显示所有记录
- 对标准进行排序:
- 名称增加/减少
- 年龄增加/减少
- 性
使用功能模板是必须的。数组的大小也必须是可变的,具体取决于记录的数量。
我有一些代码,但仍有问题。 这就是我所拥有的: 函数tabSize()用于返回数组的大小。但是目前它会返回指针的大小:
#include <iostream>
using namespace std;
template<typename TYPE> int tabSize(TYPE *T)
{
int size = 0;
size = sizeof(T) / sizeof(T[0]);
return size;
}
如何使它返回数组的大小,而不是它的指针?
接下来最重要的是:add()用于添加新元素。首先我得到数组的大小(但因此它返回指针的值,而不是现在没有用的大小:/)。然后我想我必须检查TYPE数据是否为char。还是我错了?
// add(newElement, table)
template<typename TYPE> TYPE add(TYPE L, TYPE *T)
{
int s = tabSize(T);
//here check if TYPE = char. If yes, get the length of the new name
int len = 0;
while (L[len] != '\0') {
len++;
}
//current length of table
int tabLen = 0;
while (T[tabLen] != '\0') {
tabLen++;
}
//if TYPE is char
//if current length of table + length of new element exceeds table size create new table
if(len + tabLen > s)
{
int newLen = len + tabLen;
TYPE newTab = new [newLen];
for(int j=0; j < newLen; j++ ){
if(j == tabLen -1){
for(int k = 0; k < len; k++){
newTab[k] =
}
}
else {
newTab[j] = T[j];
}
}
}
//else check if tabLen + 1 is greater than s. If yes enlarge table by 1.
}
我在这里想的是正确的吗?
最后的函数show()是正确的我想:
template<typename TYPE> TYPE show(TYPE *L)
{
int len = 0;
while (L[len] == '\0') {
len++;
}
for(int i=0; i<len; i++)
{
cout << L[i] << endl;
}
}
和sort()的问题如下:如果排序正在减少或增加,我可以影响吗?我在这里使用冒泡排序。
template<typename TYPE> TYPE sort(TYPE *L, int sort)
{
int s = tabSize(L);
int len = 0;
while (L[len] == '\0') {
len++;
}
//add control increasing/decreasing sort
int i,j;
for(i=0;i<len;i++)
{
for(j=0;j<i;j++)
{
if(L[i]>L[j])
{
int temp=L[i];
L[i]=L[j];
L[j]=temp;
}
}
}
}
运行它的主要功能:
int main()
{
int sort=0;
//0 increasing, 1 decreasing
char * name[100];
int age[10];
bool sex[10];
char c[] = "Tom";
name[0] = "John";
name[1] = "Mike";
cout << add(c, name) << endl;
system("pause");
return 0;
}
答案 0 :(得分:2)
在您的设计中,您必须拥有一个保持数组大小的变量。在添加或删除项目时将调整此值。 C ++语言没有用于获取数组变量大小的工具。
另外,更喜欢使用std::string
而不是char *
。如果您的讲师说要使用char *
,那么请将其作为函数的参数提供,但在函数和类中转换为std::string
。这将使您的生活更轻松。
不要实现自己的排序算法。希望使用std::sort
和不同的比较功能。 std::sort
算法已经过测试,可以节省您的时间和精力。
实施Visitor
设计模式。这将允许您以不同的方式访问表,而无需在表类中编写新方法。例如,使用Visitor
基类,您可以派生类来读取文件,写入文件和显示内容而不更改表类。
最后,请勿使用可能无法移植的system("pause")
。相反,更喜欢可以在cin.ignore
中找到的std::istream::ignore
。
答案 1 :(得分:0)
除非您对数组有某种终结符,否则没有简单的方法可以获得T
指向的数组的大小。
你必须在T
指向的数组中循环并计算元素,直到找到终结符。 (E.G。'\0'
代表char *
)