class Seller
{
private:
float salestotal; // run total of sales in dollars
int lapTopSold; // running total of lap top computers sold
int deskTopSold; // running total of desk top computers sold
int tabletSold; // running total of tablet computers sold
string name; // name of the seller
Seller::Seller(string newname)
{
name = newname;
salestotal = 0.0;
lapTopSold = 0;
deskTopSold = 0;
tabletSold = 0;
}
bool Seller::SellerHasName ( string nameToSearch )
{
if(name == nameToSearch)
return true;
else
return false;
}
class SellerList
{
private:
int num; // current number of salespeople in the list
Seller salespeople[MAX_SELLERS];
public:
// default constructor to make an empty list
SellerList()
{
num = 0;
}
// member functions
// If a salesperson with thisname is in the SellerList, this
// function returns the associated index; otherwise, return NOT_FOUND.
// Params: in
int Find ( string thisName );
void Add(string sellerName);
void Output(string sellerName);
};
int SellerList::Find(string thisName)
{
for(int i = 0; i < MAX_SELLERS; i++)
if(salespeople[i].SellerHasName(thisName))
return i;
return NOT_FOUND;
}
// Add a salesperson to the salespeople list IF the list is not full
// and if the list doesn't already contain the same name.
void SellerList::Add(string sellerName)
{
Seller(sellerName);
num++;
}
我的SellerList类中的函数中的参数存在一些问题。我想在salesperson数组中添加一个人,所以我记录了我的所有卖家...... Bob,Pam,Tim等...我的构造函数Seller(sellerName)创建了一个名为sellerName的卖家。
如何将此卖家添加到Salespeople数组,并具有将数据拉回并在更多功能(如更新功能或输出功能)中使用的方法?
MAX_SELLERS = 10 ....我想我的问题是不知道是否只使用参数 添加(字符串)或添加(卖方,字符串)。任何帮助将不胜感激。
答案 0 :(得分:1)
不重新发明轮子。选择适合您问题的容器。在这种情况下,由于您正在引用/ Seller
std::string
,我建议您使用哈希表,如std::unordered_map
(或std::map
搜索树无法访问C ++ 11):
int main()
{
std::unordered_map<Seller> sellers;
//Add example:
sellers["seller name string here"] = /* put a seller here */;
//Search example:
std::unordered_map<Seller>::iterator it_result = sellers.find( "seller name string here" );
if( it_result != std::end( sellers ) )
std::cout << "Seller found!" << std::endl;
else
std::cout << "Seller not found :(" << std::endl;
}
答案 1 :(得分:0)
如何在SellerList中使用STD向量而不是数组。
vector<Seller> x;
您可以x.push_back(Seller(...))
或x[0].SellerHasName()
和x.size()
为您提供卖家数量。
答案 2 :(得分:-1)
也许是这样的?
// Add a salesperson to the salespeople list IF the list is not full
// and if the list doesn't already contain the same name.
void SellerList::Add(string sellerName)
{
if(num < MAX_SELLERS)
salespeople[num++] = new Seller(sellerName);
}