尝试在列表中push_back.C++

Trying to push_back on a list. C++

本文关键字:back C++ push 列表      更新时间:2023-10-16

当我尝试使用列表中的push_back方法时,我收到编译器错误。

这是我的代码:

// Point iterator to the proper warehouse.
set<cs3505::warehouse>::iterator curr_warehouse = warehouses.find(warehouse);
// Insert new inventory_item into the warehouse.
// Create a copy of today's date, and increment it.
cs3505::date exp_date = current_date;
exp_date.increment(curr_food.get_shelf_life());
// Create a new inventory item.
cs3505::inventory_item new_item(curr_food, exp_date);
// Set the quantity of the new item.
new_item.set_quantity(qty);
// Now insert the item.
// Adding new items being at the end ensures the oldest items will be at the 
// beginning of the list.
(*curr_warehouse).inventory.push_back(new_item);

编译器错误:

report.cc:134:错误:将"const std::list>"作为"void std::list<_Tp, _Alloc>::p ush_back(const _Tp&) [_Tp = cs3505::inventory_item, _Alloc = std::分配器]"的"this"参数传递丢弃限定符

我的代码的最后一行是第 134 行。感谢您的任何帮助。我已经为此敲打了几个小时。

这是inventory_item的定义:

/*
 * An inventory item which includes a food item, an expiration date,
 * and quantity.
 */
#include "inventory_item.h"
#include "date.h"
#include "food_item.h"
namespace cs3505
{
// inventory_item definitions
/*
 * Constructs an inventory item.
 */
inventory_item::inventory_item(food_item &item, date &exp_date)
{
    this->item = item;
    this->expiration_date = exp_date;
    this->quantity = 0;
}
/*
 * Destructs a food item.
 */
inventory_item::~inventory_item() { }
/*
 * Returns this inventory item's food item.
 */
food_item inventory_item::get_food_item()
{
    return this->item;
}
/*
 * Returns the expiration date for this inventory item.
 */
date inventory_item::get_exp_date()
{
    return this->expiration_date;
}
/*
 * Returns the quantity of this inventory item.
 */
int inventory_item::get_quantity()
{
    return this->quantity;
}
/*
 * Sets the quantity of this food item.
 */
void inventory_item::set_quantity(int change)
{
    this->quantity = change;
}
}

我还有一个带有列表的自定义仓库类。我正在尝试将库存项目添加到该列表中。

这里的错误是因为您忽略了const限定符。这是因为集合返回的迭代器必须是 const。之所以存在此限制,是因为集合中的所有元素都必须是唯一的;通过迭代器更改集合中元素的值可能会破坏此协定。

我找不到确切的参考资料(SGI的std::set参考资料没有提到这一点),所以我将链接到另一篇Stackoverflow帖子,解释这一点: C++ STL 集更新很乏味:我无法就地更改元素

编辑:找到了。

std::set是一种简单关联容器,这意味着值与键相同。以下段落总结了这一点:

类型 X::

迭代器和 X::const_iterator 的类型必须相同。也就是说,简单关联容器不提供可变迭代器。

这确实意味着我的第一段在技术上略有错误。这并不是要确保不会将集合的元素从其下方更改为相同的值,而只是设计使然。它实际上是基本关联容器概念上"键是不可变的"不变性的副作用。

尽管如此,我还是把它留在那里,不让它成为重大编辑。