Skip to content
Permalink
ec91884ca6
Switch branches/tags
Go to file
 
 
Cannot retrieve contributors at this time
2783 lines (2250 sloc) 74.9 KB
// Copyright (c) rAthena Dev Teams - Licensed under GNU GPL
// For more information, see LICENCE in the main folder
#include "itemdb.hpp"
#include <map>
#include <stdlib.h>
#include "../common/nullpo.hpp"
#include "../common/random.hpp"
#include "../common/showmsg.hpp"
#include "../common/strlib.hpp"
#include "../common/utils.hpp"
#include "../common/utilities.hpp"
#include "battle.hpp" // struct battle_config
#include "cashshop.hpp"
#include "clif.hpp"
#include "intif.hpp"
#include "log.hpp"
#include "mob.hpp"
#include "pc.hpp"
#include "status.hpp"
using namespace rathena;
static std::map<uint32, std::shared_ptr<s_item_combo>> itemdb_combo; /// Item Combo DB
static DBMap *itemdb_group; /// Item Group DB
struct s_roulette_db rd;
static void itemdb_jobid2mapid(uint64 bclass[3], e_mapid jobmask, bool active);
const std::string ItemDatabase::getDefaultLocation() {
return std::string(db_path) + "/item_db.yml";
}
/**
* Reads and parses an entry from the item_db.
* @param node: YAML node containing the entry.
* @return count of successfully parsed rows
*/
uint64 ItemDatabase::parseBodyNode(const YAML::Node &node) {
t_itemid nameid;
if (!this->asUInt32(node, "Id", nameid))
return 0;
std::shared_ptr<item_data> item = this->find(nameid);
bool exists = item != nullptr;
if (!exists) {
if (!this->nodesExist(node, { "AegisName", "Name" }))
return 0;
item = std::make_shared<item_data>();
item->nameid = nameid;
item->flag.available = true;
}
if (this->nodeExists(node, "AegisName")) {
std::string name;
if (!this->asString(node, "AegisName", name))
return 0;
item_data* id = itemdb_search_aegisname(name.c_str());
if (id != nullptr && id->nameid != nameid) {
this->invalidWarning(node["AegisName"], "Found duplicate item Aegis name for %s, skipping.\n", name.c_str());
return 0;
}
item->name.resize(ITEM_NAME_LENGTH);
item->name = name.c_str();
}
if (this->nodeExists(node, "Name")) {
std::string name;
if (!this->asString(node, "Name", name))
return 0;
item->ename.resize(ITEM_NAME_LENGTH);
item->ename = name.c_str();
}
if (this->nodeExists(node, "Type")) {
std::string type;
if (!this->asString(node, "Type", type))
return 0;
std::string type_constant = "IT_" + type;
int64 constant;
if (!script_get_constant(type_constant.c_str(), &constant) || constant < IT_HEALING || constant >= IT_MAX) {
this->invalidWarning(node["Type"], "Invalid item type %s, defaulting to IT_ETC.\n", type.c_str());
constant = IT_ETC;
}
if (constant == IT_DELAYCONSUME) { // Items that are consumed only after target confirmation
constant = IT_USABLE;
item->flag.delay_consume |= DELAYCONSUME_TEMP;
} else {
item->flag.delay_consume &= ~DELAYCONSUME_TEMP; // Remove delayed consumption flag if switching types
}
item->type = static_cast<item_types>(constant);
} else {
if (!exists)
item->type = IT_ETC;
}
if (this->nodeExists(node, "SubType")) {
std::string type;
if (!this->asString(node, "SubType", type))
return 0;
if (item->type == IT_WEAPON) {
std::string type_constant = "W_" + type;
int64 constant;
if (!script_get_constant(type_constant.c_str(), &constant) || constant < W_FIST || constant >= MAX_WEAPON_TYPE) {
this->invalidWarning(node["SubType"], "Invalid weapon type %s, defaulting to W_FIST.\n", type.c_str());
item->subtype = W_FIST;
}
item->subtype = static_cast<weapon_type>(constant);
} else if (item->type == IT_AMMO) {
std::string type_constant = "AMMO_" + type;
int64 constant;
if (!script_get_constant(type_constant.c_str(), &constant) || constant <= AMMO_NONE || constant >= MAX_AMMO_TYPE) {
this->invalidWarning(node["SubType"], "Invalid ammo type %s, defaulting to AMMO_NONE.\n", type.c_str());
item->subtype = AMMO_NONE;
}
item->subtype = static_cast<e_ammo_type>(constant);
} else
this->invalidWarning(node["SubType"], "Item sub type is not supported for this item type.\n");
} else {
if (!exists)
item->subtype = 0;
}
// When a particular price is not given, we should base it off the other one
// (it is important to make a distinction between 'no price' and 0z)
if (this->nodeExists(node, "Buy")) {
uint32 buy;
if (!this->asUInt32(node, "Buy", buy))
return 0;
item->value_buy = buy;
} else {
if (!exists) {
if (this->nodeExists(node, "Sell")) {
uint32 sell;
if (!this->asUInt32(node, "Sell", sell))
return 0;
item->value_buy = sell * 2;
} else
item->value_buy = 0;
}
}
if (this->nodeExists(node, "Sell")) {
uint32 sell;
if (!this->asUInt32(node, "Sell", sell))
return 0;
item->value_sell = sell;
} else {
if (!exists)
item->value_sell = item->value_buy / 2;
}
if (item->value_buy / 124. < item->value_sell / 75.) {
this->invalidWarning(node, "Buying/Selling [%d/%d] price of %s (%hu) allows Zeny making exploit through buying/selling at discounted/overcharged prices! Defaulting Sell to 1 Zeny.\n", item->value_buy, item->value_sell, item->name.c_str(), nameid);
item->value_sell = 1;
}
if (this->nodeExists(node, "Weight")) {
uint32 weight;
if (!this->asUInt32(node, "Weight", weight))
return 0;
item->weight = weight;
} else {
if (!exists)
item->weight = 0;
}
if (this->nodeExists(node, "Attack")) {
uint32 atk;
if (!this->asUInt32(node, "Attack", atk))
return 0;
item->atk = atk;
} else {
if (!exists)
item->atk = 0;
}
#ifdef RENEWAL
if (this->nodeExists(node, "MagicAttack")) {
uint32 matk;
if (!this->asUInt32(node, "MagicAttack", matk))
return 0;
item->matk = matk;
} else {
if (!exists)
item->matk = 0;
}
#endif
if (this->nodeExists(node, "Defense")) {
uint32 def;
if (!this->asUInt32(node, "Defense", def))
return 0;
if (def > DEFTYPE_MAX) {
this->invalidWarning(node["Defense"], "Item defense %d exceeds DEFTYPE_MAX (%d), capping to DEFTYPE_MAX.\n", def, DEFTYPE_MAX);
def = DEFTYPE_MAX;
}
item->def = def;
} else {
if (!exists)
item->def = 0;
}
if (this->nodeExists(node, "Range")) {
uint16 range;
if (!this->asUInt16(node, "Range", range))
return 0;
if (range > AREA_SIZE) {
this->invalidWarning(node["Range"], "Item attack range %d exceeds AREA_SIZE (%d), capping to AREA_SIZE.\n", range, AREA_SIZE);
range = AREA_SIZE;
}
item->range = range;
} else {
if (!exists)
item->range = 0;
}
if (this->nodeExists(node, "Slots")) {
uint16 slots;
if (!this->asUInt16(node, "Slots", slots))
return 0;
if (slots > MAX_SLOTS) {
this->invalidWarning(node["Slots"], "Item slots %d exceeds MAX_SLOTS (%d), capping to MAX_SLOTS.\n", slots, MAX_SLOTS);
slots = MAX_SLOTS;
}
item->slots = slots;
} else {
if (!exists)
item->slots = 0;
}
if (this->nodeExists(node, "Jobs")) {
const YAML::Node &jobNode = node["Jobs"];
item->class_base[0] = item->class_base[1] = item->class_base[2] = 0;
if (this->nodeExists(jobNode, "All")) {
bool active;
if (!this->asBool(jobNode, "All", active))
return 0;
itemdb_jobid2mapid(item->class_base, MAPID_ALL, active);
}
for (const auto &jobit : jobNode) {
std::string jobName = jobit.first.as<std::string>();
// Skipped because processed above the loop
if (jobName.compare("All") == 0)
continue;
std::string jobName_constant = "EAJ_" + jobName;
int64 constant;
if (!script_get_constant(jobName_constant.c_str(), &constant)) {
this->invalidWarning(jobNode[jobName], "Invalid item job %s, defaulting to All.\n", jobName.c_str());
itemdb_jobid2mapid(item->class_base, MAPID_ALL, true);
break;
}
bool active;
if (!this->asBool(jobNode, jobName, active))
return 0;
itemdb_jobid2mapid(item->class_base, static_cast<e_mapid>(constant), active);
}
} else {
if (!exists) {
item->class_base[0] = item->class_base[1] = item->class_base[2] = 0;
itemdb_jobid2mapid(item->class_base, MAPID_ALL, true);
}
}
if (this->nodeExists(node, "Classes")) {
const YAML::Node &classNode = node["Classes"];
if (this->nodeExists(classNode, "All")) {
bool active;
if (!this->asBool(classNode, "All", active))
return 0;
if (active)
item->class_upper |= ITEMJ_ALL;
else
item->class_upper &= ~ITEMJ_ALL;
}
for (const auto &classit : classNode) {
std::string className = classit.first.as<std::string>();
// Skipped because processed above the loop
if (className.compare("All") == 0)
continue;
std::string className_constant = "ITEMJ_" + className;
int64 constant;
if (!script_get_constant(className_constant.c_str(), &constant)) {
this->invalidWarning(classNode[className], "Invalid class upper %s, defaulting to All.\n", className.c_str());
item->class_upper |= ITEMJ_ALL;
break;
}
bool active;
if (!this->asBool(classNode, className, active))
return 0;
if (active)
item->class_upper |= constant;
else
item->class_upper &= ~constant;
}
} else {
if (!exists)
item->class_upper = ITEMJ_ALL;
}
if (this->nodeExists(node, "Gender")) {
std::string gender;
if (!this->asString(node, "Gender", gender))
return 0;
std::string gender_constant = "SEX_" + gender;
int64 constant;
if (!script_get_constant(gender_constant.c_str(), &constant) || constant < SEX_FEMALE || constant > SEX_BOTH) {
this->invalidWarning(node["Gender"], "Invalid item gender %s, defaulting to SEX_BOTH.\n", gender.c_str());
constant = SEX_BOTH;
}
item->sex = static_cast<e_sex>(constant);
item->sex = this->defaultGender( node, item );
} else {
if (!exists) {
item->sex = SEX_BOTH;
item->sex = this->defaultGender( node, item );
}
}
if (this->nodeExists(node, "Locations")) {
const YAML::Node &locationNode = node["Locations"];
for (const auto &locit : locationNode) {
std::string equipName = locit.first.as<std::string>(), equipName_constant = "EQP_" + equipName;
int64 constant;
if (!script_get_constant(equipName_constant.c_str(), &constant)) {
this->invalidWarning(locationNode[equipName], "Invalid equip location %s, defaulting to IT_ETC.\n", equipName.c_str());
item->type = IT_ETC;
break;
}
bool active;
if (!this->asBool(locationNode, equipName, active))
return 0;
if (active) {
if (constant & EQP_SHADOW_GEAR && item->type != IT_SHADOWGEAR) {
this->invalidWarning(node, "Invalid item equip location %s as it's not a Shadow Gear item type, defaulting to IT_ETC.\n", equipName.c_str());
item->type = IT_ETC;
}
item->equip |= constant;
} else
item->equip &= ~constant;
}
} else {
if (!exists) {
if (itemdb_isequip2(item.get())) {
this->invalidWarning(node, "Invalid item equip location as it has no equip location, defaulting to IT_ETC.\n");
item->type = IT_ETC;
} else
item->equip = 0;
}
}
if (this->nodeExists(node, "WeaponLevel")) {
uint16 lv;
if (!this->asUInt16(node, "WeaponLevel", lv))
return 0;
if (lv > MAX_WEAPON_LEVEL) {
this->invalidWarning(node["WeaponLevel"], "Invalid weapon level %d, defaulting to 0.\n", lv);
lv = REFINE_TYPE_ARMOR;
}
if (item->type != IT_WEAPON) {
this->invalidWarning(node["WeaponLevel"], "Item type is not a weapon, defaulting to 0.\n");
lv = REFINE_TYPE_ARMOR;
}
item->wlv = lv;
} else {
if (!exists)
item->wlv = REFINE_TYPE_ARMOR;
}
if (this->nodeExists(node, "EquipLevelMin")) {
uint16 lv;
if (!this->asUInt16(node, "EquipLevelMin", lv))
return 0;
if (lv > MAX_LEVEL) {
this->invalidWarning(node["EquipLevelMin"], "Minimum equip level %d exceeds MAX_LEVEL (%d), capping to MAX_LEVEL.\n", lv, MAX_LEVEL);
lv = MAX_LEVEL;
}
item->elv = lv;
} else {
if (!exists)
item->elv = 0;
}
if (this->nodeExists(node, "EquipLevelMax")) {
uint16 lv;
if (!this->asUInt16(node, "EquipLevelMax", lv))
return 0;
if (lv < item->elv) {
this->invalidWarning(node["EquipLevelMax"], "Maximum equip level %d is less than minimum equip level %d, capping to minimum equip level.\n", lv, item->elv);
lv = item->elv;
}
if (lv > MAX_LEVEL) {
this->invalidWarning(node["EquipLevelMax"], "Maximum equip level %d exceeds MAX_LEVEL (%d), capping to MAX_LEVEL.\n", lv, MAX_LEVEL);
lv = MAX_LEVEL;
}
item->elvmax = lv;
} else {
if (!exists)
item->elvmax = MAX_LEVEL;
}
if (this->nodeExists(node, "Refineable")) {
bool refine;
if (!this->asBool(node, "Refineable", refine))
return 0;
item->flag.no_refine = !refine;
} else {
if (!exists)
item->flag.no_refine = true;
}
if (this->nodeExists(node, "View")) {
uint32 look;
if (!this->asUInt32(node, "View", look))
return 0;
item->look = look;
} else {
if (!exists)
item->look = 0;
}
if (this->nodeExists(node, "AliasName")) {
std::string view;
if (!this->asString(node, "AliasName", view))
return 0;
item_data *view_data = itemdb_search_aegisname(view.c_str());
if (view_data == nullptr) {
this->invalidWarning(node["AliasName"], "Unable to change the alias because %s is an unknown item.\n", view.c_str());
return 0;
}
item->view_id = view_data->nameid;
} else {
if (!exists)
item->view_id = 0;
}
if (this->nodeExists(node, "Flags")) {
const YAML::Node &flagNode = node["Flags"];
if (this->nodeExists(flagNode, "BuyingStore")) {
bool active;
if (!this->asBool(flagNode, "BuyingStore", active))
return 0;
if (!itemdb_isstackable2(item.get()) && active) {
this->invalidWarning(flagNode["BuyingStore"], "Non-stackable item cannot be enabled for buying store.\n");
active = false;
}
item->flag.buyingstore = active;
} else {
if (!exists)
item->flag.buyingstore = false;
}
if (this->nodeExists(flagNode, "DeadBranch")) {
bool active;
if (!this->asBool(flagNode, "DeadBranch", active))
return 0;
item->flag.dead_branch = active;
} else {
if (!exists)
item->flag.dead_branch = false;
}
if (this->nodeExists(flagNode, "Container")) {
bool active;
if (!this->asBool(flagNode, "Container", active))
return 0;
item->flag.group = active;
} else {
if (!exists)
item->flag.group = false;
}
if (this->nodeExists(flagNode, "UniqueId")) {
bool active;
if (!this->asBool(flagNode, "UniqueId", active))
return 0;
if (!itemdb_isstackable2(item.get()) && active) {
this->invalidWarning(flagNode["UniqueId"], "Non-stackable item cannot be enabled for UniqueId.\n");
active = false;
}
item->flag.guid = active;
} else {
if (!exists)
item->flag.guid = false;
}
if (this->nodeExists(flagNode, "BindOnEquip")) {
bool active;
if (!this->asBool(flagNode, "BindOnEquip", active))
return 0;
item->flag.bindOnEquip = active;
} else {
if (!exists)
item->flag.bindOnEquip = false;
}
if (this->nodeExists(flagNode, "DropAnnounce")) {
bool active;
if (!this->asBool(flagNode, "DropAnnounce", active))
return 0;
item->flag.broadcast = active;
} else {
if (!exists)
item->flag.broadcast = false;
}
if (this->nodeExists(flagNode, "NoConsume")) {
bool active;
if (!this->asBool(flagNode, "NoConsume", active))
return 0;
if (active)
item->flag.delay_consume |= DELAYCONSUME_NOCONSUME;
else
item->flag.delay_consume &= ~DELAYCONSUME_NOCONSUME;
} else {
if (!exists) {
if (!(item->flag.delay_consume & DELAYCONSUME_TEMP))
item->flag.delay_consume = DELAYCONSUME_NONE;
}
}
if (this->nodeExists(flagNode, "DropEffect")) {
std::string effect;
if (!this->asString(flagNode, "DropEffect", effect))
return 0;
std::string effect_constant = "DROPEFFECT_" + effect;
int64 constant;
if (!script_get_constant(effect_constant.c_str(), &constant) || constant < DROPEFFECT_NONE || constant > DROPEFFECT_MAX) {
this->invalidWarning(flagNode["DropEffect"], "Invalid item drop effect %s, defaulting to DROPEFFECT_NONE.\n", effect.c_str());
constant = DROPEFFECT_NONE;
}
item->flag.dropEffect = static_cast<e_item_drop_effect>(constant);
} else {
if (!exists)
item->flag.dropEffect = DROPEFFECT_NONE;
}
} else {
if (!exists) {
item->flag.buyingstore = false;
item->flag.dead_branch = false;
item->flag.group = false;
item->flag.guid = false;
item->flag.bindOnEquip = false;
item->flag.broadcast = false;
if (!(item->flag.delay_consume & DELAYCONSUME_TEMP))
item->flag.delay_consume = DELAYCONSUME_NONE;
item->flag.dropEffect = DROPEFFECT_NONE;
}
}
if (this->nodeExists(node, "Delay")) {
const YAML::Node &delayNode = node["Delay"];
if (this->nodeExists(delayNode, "Duration")) {
uint32 duration;
if (!this->asUInt32(delayNode, "Duration", duration))
return 0;
item->delay.duration = duration;
} else {
if (!exists)
item->delay.duration = 0;
}
if (this->nodeExists(delayNode, "Status")) {
std::string status;
if (!this->asString(delayNode, "Status", status))
return 0;
std::string status_constant = "SC_" + status;
int64 constant;
if (!script_get_constant(status_constant.c_str(), &constant) || constant < SC_NONE || constant >= SC_MAX) {
this->invalidWarning(delayNode[status], "Invalid item delay status %s, defaulting to SC_NONE.\n", status.c_str());
constant = SC_NONE;
}
item->delay.sc = static_cast<sc_type>(constant);
} else {
if (!exists)
item->delay.sc = SC_NONE;
}
} else {
if (!exists) {
item->delay.duration = 0;
item->delay.sc = SC_NONE;
}
}
if (this->nodeExists(node, "Stack")) {
const YAML::Node &stackNode = node["Stack"];
if (this->nodeExists(stackNode, "Amount")) {
uint16 amount;
if (!this->asUInt16(stackNode, "Amount", amount))
return 0;
if (!itemdb_isstackable2(item.get())) {
this->invalidWarning(stackNode["Amount"], "Non-stackable item cannot be enabled for stacking.\n");
amount = 0;
}
item->stack.amount = amount;
} else {
if (!exists)
item->stack.amount = 0;
}
if (this->nodeExists(stackNode, "Inventory")) {
bool active;
if (!this->asBool(stackNode, "Inventory", active))
return 0;
item->stack.inventory = active;
} else {
if (!exists)
item->stack.inventory = false;
}
if (this->nodeExists(stackNode, "Cart")) {
bool active;
if (!this->asBool(stackNode, "Cart", active))
return 0;
item->stack.cart = active;
} else {
if (!exists)
item->stack.cart = false;
}
if (this->nodeExists(stackNode, "Storage")) {
bool active;
if (!this->asBool(stackNode, "Storage", active))
return 0;
item->stack.storage = active;
} else {
if (!exists)
item->stack.storage = false;
}
if (this->nodeExists(stackNode, "GuildStorage")) {
bool active;
if (!this->asBool(stackNode, "GuildStorage", active))
return 0;
item->stack.guild_storage = active;
} else {
if (!exists)
item->stack.guild_storage = false;
}
} else {
if (!exists) {
item->stack.amount = 0;
item->stack.inventory = false;
item->stack.cart = false;
item->stack.storage = false;
item->stack.guild_storage = false;
}
}
if (this->nodeExists(node, "NoUse")) {
const YAML::Node &nouseNode = node["NoUse"];
if (this->nodeExists(nouseNode, "Override")) {
uint16 override;
if (!this->asUInt16(nouseNode, "Override", override))
return 0;
if (override > 100) {
this->invalidWarning(nouseNode["Override"], "Item no use override level %d exceeds 100, capping to 100.\n", override);
override = 100;
}
item->item_usage.override = override;
} else {
if (!exists)
item->item_usage.override = 0;
}
if (this->nodeExists(nouseNode, "Sitting")) {
bool active;
if (!this->asBool(nouseNode, "Sitting", active))
return 0;
item->item_usage.sitting = active;
} else {
if (!exists)
item->item_usage.sitting = false;
}
} else {
if (!exists) {
item->item_usage.override = 0;
item->item_usage.sitting = false;
}
}
if (this->nodeExists(node, "Trade")) {
const YAML::Node &tradeNode = node["Trade"];
if (this->nodeExists(tradeNode, "Override")) {
uint16 override;
if (!this->asUInt16(tradeNode, "Override", override))
return 0;
if (override > 100) {
this->invalidWarning(tradeNode["Override"], "Item trade override level %d exceeds 100, capping to 100.\n", override);
override = 100;
}
item->gm_lv_trade_override = override;
} else {
if (!exists)
item->gm_lv_trade_override = 0;
}
if (this->nodeExists(tradeNode, "NoDrop")) {
bool active;
if (!this->asBool(tradeNode, "NoDrop", active))
return 0;
item->flag.trade_restriction.drop = active;
} else {
if (!exists)
item->flag.trade_restriction.drop = false;
}
if (this->nodeExists(tradeNode, "NoTrade")) {
bool active;
if (!this->asBool(tradeNode, "NoTrade", active))
return 0;
item->flag.trade_restriction.trade = active;
} else {
if (!exists)
item->flag.trade_restriction.trade = false;
}
if (this->nodeExists(tradeNode, "TradePartner")) {
bool active;
if (!this->asBool(tradeNode, "TradePartner", active))
return 0;
item->flag.trade_restriction.trade_partner = active;
} else {
if (!exists)
item->flag.trade_restriction.trade_partner = false;
}
if (this->nodeExists(tradeNode, "NoSell")) {
bool active;
if (!this->asBool(tradeNode, "NoSell", active))
return 0;
item->flag.trade_restriction.sell = active;
} else {
if (!exists)
item->flag.trade_restriction.sell = false;
}
if (this->nodeExists(tradeNode, "NoCart")) {
bool active;
if (!this->asBool(tradeNode, "NoCart", active))
return 0;
item->flag.trade_restriction.cart = active;
} else {
if (!exists)
item->flag.trade_restriction.cart = false;
}
if (this->nodeExists(tradeNode, "NoStorage")) {
bool active;
if (!this->asBool(tradeNode, "NoStorage", active))
return 0;
item->flag.trade_restriction.storage = active;
} else {
if (!exists)
item->flag.trade_restriction.storage = false;
}
if (this->nodeExists(tradeNode, "NoGuildStorage")) {
bool active;
if (!this->asBool(tradeNode, "NoGuildStorage", active))
return 0;
item->flag.trade_restriction.guild_storage = active;
} else {
if (!exists)
item->flag.trade_restriction.guild_storage = false;
}
if (this->nodeExists(tradeNode, "NoMail")) {
bool active;
if (!this->asBool(tradeNode, "NoMail", active))
return 0;
item->flag.trade_restriction.mail = active;
} else {
if (!exists)
item->flag.trade_restriction.mail = false;
}
if (this->nodeExists(tradeNode, "NoAuction")) {
bool active;
if (!this->asBool(tradeNode, "NoAuction", active))
return 0;
item->flag.trade_restriction.auction = active;
} else {
if (!exists)
item->flag.trade_restriction.auction = false;
}
} else {
if (!exists) {
item->gm_lv_trade_override = 0;
item->flag.trade_restriction.drop = false;
item->flag.trade_restriction.trade = false;
item->flag.trade_restriction.trade_partner = false;
item->flag.trade_restriction.sell = false;
item->flag.trade_restriction.cart = false;
item->flag.trade_restriction.storage = false;
item->flag.trade_restriction.guild_storage = false;
item->flag.trade_restriction.mail = false;
item->flag.trade_restriction.auction = false;
}
}
if (this->nodeExists(node, "Script")) {
std::string script;
if (!this->asString(node, "Script", script))
return 0;
if (exists && item->script) {
script_free_code(item->script);
item->script = nullptr;
}
item->script = parse_script(script.c_str(), this->getCurrentFile().c_str(), node["Script"].Mark().line + 1, SCRIPT_IGNORE_EXTERNAL_BRACKETS);
} else {
if (!exists)
item->script = nullptr;
}
if (this->nodeExists(node, "EquipScript")) {
std::string script;
if (!this->asString(node, "EquipScript", script))
return 0;
if (exists && item->equip_script) {
script_free_code(item->equip_script);
item->equip_script = nullptr;
}
item->equip_script = parse_script(script.c_str(), this->getCurrentFile().c_str(), node["EquipScript"].Mark().line + 1, SCRIPT_IGNORE_EXTERNAL_BRACKETS);
} else {
if (!exists)
item->equip_script = nullptr;
}
if (this->nodeExists(node, "UnEquipScript")) {
std::string script;
if (!this->asString(node, "UnEquipScript", script))
return 0;
if (exists && item->unequip_script) {
script_free_code(item->unequip_script);
item->unequip_script = nullptr;
}
item->unequip_script = parse_script(script.c_str(), this->getCurrentFile().c_str(), node["UnEquipScript"].Mark().line + 1, SCRIPT_IGNORE_EXTERNAL_BRACKETS);
} else {
if (!exists)
item->unequip_script = nullptr;
}
if (!exists)
this->put(nameid, item);
return 1;
}
void ItemDatabase::loadingFinished(){
if( !this->exists( ITEMID_DUMMY ) ){
// Create dummy item
std::shared_ptr<item_data> dummy_item = std::make_shared<item_data>();
dummy_item->nameid = ITEMID_DUMMY;
dummy_item->weight = 1;
dummy_item->value_sell = 1;
dummy_item->type = IT_ETC;
dummy_item->name = "UNKNOWN_ITEM";
dummy_item->ename = "Unknown Item";
dummy_item->view_id = UNKNOWN_ITEM_ID;
item_db.put( ITEMID_DUMMY, dummy_item );
}
}
/**
* Applies gender restrictions according to settings.
* @param node: YAML node containing the entry.
* @param node: the already parsed item data.
* @return gender that should be used.
*/
e_sex ItemDatabase::defaultGender( const YAML::Node &node, std::shared_ptr<item_data> id ){
if (id->nameid == WEDDING_RING_M) //Grom Ring
return SEX_MALE;
if (id->nameid == WEDDING_RING_F) //Bride Ring
return SEX_FEMALE;
if( id->type == IT_WEAPON ){
if( id->subtype == W_MUSICAL ){
if( id->sex != SEX_MALE ){
this->invalidWarning( node, "Musical instruments are always male-only, defaulting to SEX_MALE.\n" );
}
return SEX_MALE;
}
if( id->subtype == W_WHIP ){
if( id->sex != SEX_FEMALE ){
this->invalidWarning( node, "Whips are always female-only, defaulting to SEX_FEMALE.\n" );
}
return SEX_FEMALE;
}
}
return static_cast<e_sex>( id->sex );
}
ItemDatabase item_db;
/**
* Check if combo exists
* @param combo_id
* @return s_item_combo or nullptr if it does not exist
*/
s_item_combo *itemdb_combo_exists(uint32 combo_id) {
auto item = util::map_find(itemdb_combo, combo_id);
if( item == nullptr ){
return nullptr;
}
return item.get();
}
/**
* Check if item group exists
* @param group_id
* @return NULL if not exist, or s_item_group_db *
*/
struct s_item_group_db *itemdb_group_exists(unsigned short group_id) {
return (struct s_item_group_db *)uidb_get(itemdb_group, group_id);
}
/**
* Check if an item exists in a group
* @param group_id: Item Group ID
* @param nameid: Item to check for in group
* @return True if item is in group, else false
*/
bool itemdb_group_item_exists(unsigned short group_id, t_itemid nameid)
{
struct s_item_group_db *group = (struct s_item_group_db *)uidb_get(itemdb_group, group_id);
unsigned short i, j;
if (!group)
return false;
for (i = 0; i < MAX_ITEMGROUP_RANDGROUP; i++) {
for (j = 0; j < group->random[i].data_qty; j++)
if (group->random[i].data[j].nameid == nameid)
return true;
}
return false;
}
/**
* Check if an item exists from a group in a player's inventory
* @param group_id: Item Group ID
* @return Item's index if found or -1 otherwise
*/
int16 itemdb_group_item_exists_pc(struct map_session_data *sd, unsigned short group_id)
{
struct s_item_group_db *group = (struct s_item_group_db *)uidb_get(itemdb_group, group_id);
if (!group)
return -1;
for (int i = 0; i < MAX_ITEMGROUP_RANDGROUP; i++) {
for (int j = 0; j < group->random[i].data_qty; j++) {
int16 item_position = pc_search_inventory(sd, group->random[i].data[j].nameid);
if (item_position != -1)
return item_position;
}
}
return -1;
}
/*==========================================
* Return item data from item name. (lookup)
* @param str Item Name
* @param aegis_only
* @return item data
*------------------------------------------*/
static struct item_data* itemdb_searchname1(const char *str, bool aegis_only)
{
for (const auto &it : item_db) {
// Absolute priority to Aegis code name.
if (strcmpi(it.second->name.c_str(), str) == 0)
return it.second.get();
// If only Aegis name is allowed, continue with the next entry
if (aegis_only)
continue;
//Second priority to Client displayed name.
if (strcmpi(it.second->ename.c_str(), str) == 0)
return it.second.get();
}
return nullptr;
}
struct item_data* itemdb_searchname(const char *str)
{
return itemdb_searchname1(str, false);
}
struct item_data* itemdb_search_aegisname( const char *str ){
return itemdb_searchname1( str, true );
}
/*==========================================
* Finds up to N matches. Returns number of matches [Skotlex]
* @param *data
* @param size
* @param str
* @return Number of matches item
*------------------------------------------*/
int itemdb_searchname_array(struct item_data** data, int size, const char *str)
{
int count = 0;
for (const auto &it : item_db) {
if (count < size) {
if (stristr(it.second->name.c_str(), str) != nullptr || stristr(it.second->ename.c_str(), str) != nullptr || strcmpi(it.second->ename.c_str(), str) == 0)
data[count++] = it.second.get();
} else
break;
}
return count;
}
/**
* Return a random group entry from Item Group
* @param group_id
* @param sub_group: 0 is 'must' item group, random groups start from 1 to MAX_ITEMGROUP_RANDGROUP+1
* @return Item group entry or NULL on fail
*/
struct s_item_group_entry *itemdb_get_randgroupitem(uint16 group_id, uint8 sub_group) {
struct s_item_group_db *group = (struct s_item_group_db *) uidb_get(itemdb_group, group_id);
struct s_item_group_entry *list = NULL;
uint16 qty = 0;
if (!group) {
ShowError("itemdb_get_randgroupitem: Invalid group id %d\n", group_id);
return NULL;
}
if (sub_group > MAX_ITEMGROUP_RANDGROUP+1) {
ShowError("itemdb_get_randgroupitem: Invalid sub_group %d\n", sub_group);
return NULL;
}
if (sub_group == 0) {
list = group->must;
qty = group->must_qty;
}
else {
list = group->random[sub_group-1].data;
qty = group->random[sub_group-1].data_qty;
}
if (!qty) {
ShowError("itemdb_get_randgroupitem: No item entries for group id %d and sub group %d\n", group_id, sub_group);
return NULL;
}
return &list[rnd()%qty];
}
/**
* Return a random Item ID from from Item Group
* @param group_id
* @param sub_group: 0 is 'must' item group, random groups start from 1 to MAX_ITEMGROUP_RANDGROUP+1
* @return Item ID or UNKNOWN_ITEM_ID on fail
*/
t_itemid itemdb_searchrandomid(uint16 group_id, uint8 sub_group) {
struct s_item_group_entry *entry = itemdb_get_randgroupitem(group_id, sub_group);
return entry ? entry->nameid : UNKNOWN_ITEM_ID;
}
/** [Cydh]
* Gives item(s) to the player based on item group
* @param sd: Player that obtains item from item group
* @param group_id: The group ID of item that obtained by player
* @param *group: struct s_item_group from itemgroup_db[group_id].random[idx] or itemgroup_db[group_id].must[sub_group][idx]
*/
static void itemdb_pc_get_itemgroup_sub(struct map_session_data *sd, bool identify, struct s_item_group_entry *data) {
uint16 i, get_amt = 0;
struct item tmp;
nullpo_retv(data);
memset(&tmp, 0, sizeof(tmp));
tmp.nameid = data->nameid;
tmp.bound = data->bound;
tmp.identify = identify ? identify : itemdb_isidentified(data->nameid);
tmp.expire_time = (data->duration) ? (unsigned int)(time(NULL) + data->duration*60) : 0;
if (data->isNamed) {
tmp.card[0] = itemdb_isequip(data->nameid) ? CARD0_FORGE : CARD0_CREATE;
tmp.card[1] = 0;
tmp.card[2] = GetWord(sd->status.char_id, 0);
tmp.card[3] = GetWord(sd->status.char_id, 1);
}
if (!itemdb_isstackable(data->nameid))
get_amt = 1;
else
get_amt = data->amount;
tmp.amount = get_amt;
// Do loop for non-stackable item
for (i = 0; i < data->amount; i += get_amt) {
char flag = 0;
tmp.unique_id = data->GUID ? pc_generate_unique_id(sd) : 0; // Generate GUID
if ((flag = pc_additem(sd, &tmp, get_amt, LOG_TYPE_SCRIPT))) {
clif_additem(sd, 0, 0, flag);
if (pc_candrop(sd, &tmp))
map_addflooritem(&tmp, tmp.amount, sd->bl.m, sd->bl.x,sd->bl.y, 0, 0, 0, 0, 0);
}
else if (!flag && data->isAnnounced)
intif_broadcast_obtain_special_item(sd, data->nameid, sd->itemid, ITEMOBTAIN_TYPE_BOXITEM);
}
}
/** [Cydh]
* Find item(s) that will be obtained by player based on Item Group
* @param group_id: The group ID that will be gained by player
* @param nameid: The item that trigger this item group
* @return val: 0:success, 1:no sd, 2:invalid item group
*/
char itemdb_pc_get_itemgroup(uint16 group_id, bool identify, struct map_session_data *sd) {
uint16 i = 0;
struct s_item_group_db *group;
nullpo_retr(1,sd);
if (!(group = (struct s_item_group_db *) uidb_get(itemdb_group, group_id))) {
ShowError("itemdb_pc_get_itemgroup: Invalid group id '%d' specified.\n",group_id);
return 2;
}
// Get the 'must' item(s)
if (group->must_qty) {
for (i = 0; i < group->must_qty; i++)
if (&group->must[i])
itemdb_pc_get_itemgroup_sub(sd, identify, &group->must[i]);
}
// Get the 'random' item each random group
for (i = 0; i < MAX_ITEMGROUP_RANDGROUP; i++) {
uint16 rand;
if (!(&group->random[i]) || !group->random[i].data_qty) //Skip empty random group
continue;
rand = rnd()%group->random[i].data_qty;
if (!(&group->random[i].data[rand]) || !group->random[i].data[rand].nameid)
continue;
itemdb_pc_get_itemgroup_sub(sd, identify, &group->random[i].data[rand]);
}
return 0;
}
/** Searches for the item_data. Use this to check if item exists or not.
* @param nameid
* @return *item_data if item is exist, or NULL if not
*/
struct item_data* itemdb_exists(t_itemid nameid) {
std::shared_ptr<item_data> item = item_db.find(nameid);
return item ? item.get() : nullptr;
}
/// Returns name type of ammunition [Cydh]
const char *itemdb_typename_ammo (e_ammo_type ammo) {
switch (ammo) {
case AMMO_ARROW: return "Arrow";
case AMMO_DAGGER: return "Throwable Dagger";
case AMMO_BULLET: return "Bullet";
case AMMO_SHELL: return "Shell";
case AMMO_GRENADE: return "Grenade";
case AMMO_SHURIKEN: return "Shuriken";
case AMMO_KUNAI: return "Kunai";
case AMMO_CANNONBALL: return "Cannonball";
case AMMO_THROWWEAPON: return "Throwable Item/Sling Item";
}
return "Ammunition";
}
/// Returns human readable name for given item type.
/// @param type Type id to retrieve name for ( IT_* ).
const char* itemdb_typename(enum item_types type)
{
switch(type)
{
case IT_HEALING: return "Potion/Food";
case IT_USABLE: return "Usable";
case IT_ETC: return "Etc.";
case IT_WEAPON: return "Weapon";
case IT_ARMOR: return "Armor";
case IT_CARD: return "Card";
case IT_PETEGG: return "Pet Egg";
case IT_PETARMOR: return "Pet Accessory";
case IT_AMMO: return "Arrow/Ammunition";
case IT_DELAYCONSUME: return "Delay-Consume Usable";
case IT_SHADOWGEAR: return "Shadow Equipment";
case IT_CASH: return "Cash Usable";
}
return "Unknown Type";
}
/**
* Converts the jobmask from the format in itemdb to the format used by the map server.
* @param bclass: Pointer to store itemdb format
* @param jobmask: Job Mask to convert
* @param active: Whether the flag is active or not
* @author: Skotlex
*/
static void itemdb_jobid2mapid(uint64 bclass[3], e_mapid jobmask, bool active)
{
uint64 temp_mask[3] = { 0 };
if (jobmask != MAPID_ALL) {
// Calculate the required bit to set
uint64 job = 1ULL << ( jobmask & MAPID_BASEMASK );
// 2-1
if( ( jobmask & JOBL_2_1 ) != 0 ){
temp_mask[1] |= job;
// 2-2
}else if( ( jobmask & JOBL_2_2 ) != 0 ){
temp_mask[2] |= job;
// Basejob
}else{
temp_mask[0] |= job;
}
} else {
temp_mask[0] = temp_mask[1] = temp_mask[2] = MAPID_ALL;
}
for (int i = 0; i < ARRAYLENGTH(temp_mask); i++) {
if (temp_mask[i] == 0)
continue;
if (active)
bclass[i] |= temp_mask[i];
else
bclass[i] &= ~temp_mask[i];
}
}
/*==========================================
* Loads an item from the db. If not found, it will return the dummy item.
* @param nameid
* @return *item_data or *dummy_item if item not found
*------------------------------------------*/
struct item_data* itemdb_search(t_itemid nameid) {
std::shared_ptr<item_data> id;
if (!(id = item_db.find(nameid))) {
ShowWarning("itemdb_search: Item ID %u does not exists in the item_db. Using dummy data.\n", nameid);
id = item_db.find(ITEMID_DUMMY);
}
return id.get();
}
/** Checks if item is equip type or not
* @param id Item data
* @return True if item is equip, false otherwise
*/
bool itemdb_isequip2(struct item_data *id) {
nullpo_ret(id);
switch (id->type) {
case IT_WEAPON:
case IT_ARMOR:
case IT_AMMO:
case IT_SHADOWGEAR:
return true;
default:
return false;
}
}
/** Checks if item is stackable or not
* @param id Item data
* @return True if item is stackable, false otherwise
*/
bool itemdb_isstackable2(struct item_data *id)
{
nullpo_ret(id);
return id->isStackable();
}
/*==========================================
* Trade Restriction functions [Skotlex]
*------------------------------------------*/
bool itemdb_isdropable_sub(struct item_data *item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.drop) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_cantrade_sub(struct item_data* item, int gmlv, int gmlv2) {
return (item && (!(item->flag.trade_restriction.trade) || gmlv >= item->gm_lv_trade_override || gmlv2 >= item->gm_lv_trade_override));
}
bool itemdb_canpartnertrade_sub(struct item_data* item, int gmlv, int gmlv2) {
return (item && (item->flag.trade_restriction.trade_partner || gmlv >= item->gm_lv_trade_override || gmlv2 >= item->gm_lv_trade_override));
}
bool itemdb_cansell_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.sell) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_cancartstore_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.cart) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_canstore_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.storage) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_canguildstore_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.guild_storage) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_canmail_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.mail) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_canauction_sub(struct item_data* item, int gmlv, int unused) {
return (item && (!(item->flag.trade_restriction.auction) || gmlv >= item->gm_lv_trade_override));
}
bool itemdb_isrestricted(struct item* item, int gmlv, int gmlv2, bool (*func)(struct item_data*, int, int))
{
struct item_data* item_data = itemdb_search(item->nameid);
int i;
if (!func(item_data, gmlv, gmlv2))
return false;
if(item_data->slots == 0 || itemdb_isspecial(item->card[0]))
return true;
for(i = 0; i < item_data->slots; i++) {
if (!item->card[i]) continue;
if (!func(itemdb_search(item->card[i]), gmlv, gmlv2))
return false;
}
return true;
}
bool itemdb_ishatched_egg(struct item* item) {
if (item && item->card[0] == CARD0_PET && item->attribute == 1)
return true;
return false;
}
/** Specifies if item-type should drop unidentified.
* @param nameid ID of item
*/
char itemdb_isidentified(t_itemid nameid) {
int type=itemdb_type(nameid);
switch (type) {
case IT_WEAPON:
case IT_ARMOR:
case IT_PETARMOR:
case IT_SHADOWGEAR:
return 0;
default:
return 1;
}
}
static int itemdb_group_free(DBKey key, DBData *data, va_list ap);
static int itemdb_group_free2(DBKey key, DBData *data);
static bool itemdb_read_group(char* str[], int columns, int current) {
int group_id = -1;
unsigned int j, prob = 1;
uint8 rand_group = 1;
struct s_item_group_random *random = NULL;
struct s_item_group_db *group = NULL;
struct s_item_group_entry entry;
memset(&entry, 0, sizeof(entry));
entry.amount = 1;
entry.bound = BOUND_NONE;
str[0] = trim(str[0]);
if( ISDIGIT(str[0][0]) ){
group_id = atoi(str[0]);
}else{
int64 group_tmp;
// Try to parse group id as constant
if (!script_get_constant(str[0], &group_tmp)) {
ShowError("itemdb_read_group: Unknown group constant \"%s\".\n", str[0]);
return false;
}
group_id = static_cast<int>(group_tmp);
}
// Check the group id
if( group_id < 0 ){
ShowWarning( "itemdb_read_group: Invalid group ID '%s'\n", str[0] );
return false;
}
// Remove from DB
if( strcmpi( str[1], "clear" ) == 0 ){
DBData data;
if( itemdb_group->remove( itemdb_group, db_ui2key(group_id), &data ) ){
itemdb_group_free2(db_ui2key(group_id), &data);
ShowNotice( "itemdb_read_group: Item Group '%s' has been cleared.\n", str[0] );
return true;
}else{
ShowWarning( "itemdb_read_group: Item Group '%s' has not been cleared, because it did not exist.\n", str[0] );
return false;
}
}
if( columns < 3 ){
ShowError("itemdb_read_group: Insufficient columns (found %d, need at least 3).\n", columns);
return false;
}
// Checking sub group
prob = atoi(str[2]);
if( columns > 4 ){
rand_group = atoi(str[4]);
if( rand_group < 0 || rand_group > MAX_ITEMGROUP_RANDGROUP ){
ShowWarning( "itemdb_read_group: Invalid sub group '%d' for group '%s'\n", rand_group, str[0] );
return false;
}
}else{
rand_group = 1;
}
if( rand_group != 0 && prob < 1 ){
ShowWarning( "itemdb_read_group: Random item must have a probability. Group '%s'\n", str[0] );
return false;
}
// Check item
str[1] = trim(str[1]);
// Check if the item can be found by id
if( ( entry.nameid = strtoul(str[1], nullptr, 10) ) == 0 || !itemdb_exists( entry.nameid ) ){
// Otherwise look it up by name
struct item_data *id = itemdb_search_aegisname(str[1]);
if( id ){
// Found the item with a name lookup
entry.nameid = id->nameid;
}else{
ShowWarning( "itemdb_read_group: Non-existant item '%s'\n", str[1] );
return false;
}
}
if( columns > 3 ) entry.amount = cap_value(atoi(str[3]),1,MAX_AMOUNT);
if( columns > 5 ) entry.isAnnounced= atoi(str[5]) > 0;
if( columns > 6 ) entry.duration = cap_value(atoi(str[6]),0,UINT16_MAX);
if( columns > 7 ) entry.GUID = atoi(str[7]) > 0;
if( columns > 8 ) entry.bound = cap_value(atoi(str[8]),BOUND_NONE,BOUND_MAX-1);
if( columns > 9 ) entry.isNamed = atoi(str[9]) > 0;
if (!(group = (struct s_item_group_db *) uidb_get(itemdb_group, group_id))) {
CREATE(group, struct s_item_group_db, 1);
group->id = group_id;
uidb_put(itemdb_group, group->id, group);
}
// Must item (rand_group == 0), place it here
if (!rand_group) {
RECREATE(group->must, struct s_item_group_entry, group->must_qty+1);
group->must[group->must_qty++] = entry;
// If 'must' item isn't set as random item, skip the next process
if (!prob) {
return true;
}
rand_group = 0;
}
else
rand_group -= 1;
random = &group->random[rand_group];
RECREATE(random->data, struct s_item_group_entry, random->data_qty+prob);
// Put the entry to its rand_group
for (j = random->data_qty; j < random->data_qty+prob; j++)
random->data[j] = entry;
random->data_qty += prob;
return true;
}
/** Read item forbidden by mapflag (can't equip item)
* Structure: <nameid>,<mode>
*/
static bool itemdb_read_noequip(char* str[], int columns, int current) {
t_itemid nameid;
int flag;
struct item_data *id;
nameid = strtoul(str[0], nullptr, 10);
flag = atoi(str[1]);
if( ( id = itemdb_exists(nameid) ) == NULL )
{
ShowWarning("itemdb_read_noequip: Invalid item id %u.\n", nameid);
return false;
}
if (flag >= 0)
id->flag.no_equip |= flag;
else
id->flag.no_equip &= ~abs(flag);
return true;
}
/**
* @return: amount of retrieved entries.
**/
static int itemdb_combo_split_atoi (char *str, t_itemid *val) {
int i;
for (i=0; i<MAX_ITEMS_PER_COMBO; i++) {
if (!str) break;
val[i] = strtoul(str, nullptr, 10);
str = strchr(str,':');
if (str)
*str++=0;
}
if( i == 0 ) //No data found.
return 0;
return i;
}
/**
* <combo{:combo{:combo:{..}}}>,<{ script }>
**/
static void itemdb_read_combos(const char* basedir, bool silent) {
uint32 lines = 0, count = 0;
char line[1024];
char path[256];
FILE* fp;
sprintf(path, "%s/%s", basedir, "item_combo_db.txt");
if ((fp = fopen(path, "r")) == NULL) {
if(silent==0) ShowError("itemdb_read_combos: File not found \"%s\".\n", path);
return;
}
// process rows one by one
while(fgets(line, sizeof(line), fp)) {
char *str[2], *p;
lines++;
if (line[0] == '/' && line[1] == '/')
continue;
memset(str, 0, sizeof(str));
p = line;
p = trim(p);
if (*p == '\0')
continue;// empty line
if (!strchr(p,','))
{
/* is there even a single column? */
ShowError("itemdb_read_combos: Insufficient columns in line %d of \"%s\", skipping.\n", lines, path);
continue;
}
str[0] = p;
p = strchr(p,',');
*p = '\0';
p++;
str[1] = p;
p = strchr(p,',');
p++;
if (str[1][0] != '{') {
ShowError("itemdb_read_combos(#1): Invalid format (Script column) in line %d of \"%s\", skipping.\n", lines, path);
continue;
}
/* no ending key anywhere (missing \}\) */
if ( str[1][strlen(str[1])-1] != '}' ) {
ShowError("itemdb_read_combos(#2): Invalid format (Script column) in line %d of \"%s\", skipping.\n", lines, path);
continue;
} else {
t_itemid items[MAX_ITEMS_PER_COMBO];
int v = 0, retcount = 0;
if((retcount = itemdb_combo_split_atoi(str[0], items)) < 2) {
ShowError("itemdb_read_combos: line %d of \"%s\" doesn't have enough items to make for a combo (min:2), skipping.\n", lines, path);
continue;
}
/* validate */
for(v = 0; v < retcount; v++) {
if( !itemdb_exists(items[v]) ) {
ShowError("itemdb_read_combos: line %d of \"%s\" contains unknown item ID %" PRIu32 ", skipping.\n", lines, path,items[v]);
break;
}
}
/* failed at some item */
if( v < retcount )
continue;
// Create combo data
auto entry = std::make_shared<s_item_combo>();
entry->nameid = {};
entry->script = parse_script(str[1], path, lines, 0);
entry->id = count;
// Store into first item
item_data *id = itemdb_exists(items[0]);
id->combos.push_back(entry);
size_t idx = id->combos.size() - 1;
// Populate nameid field
for (v = 0; v < retcount; v++)
id->combos[idx]->nameid.push_back(items[v]);
// Populate the children to refer to this combo
for (v = 1; v < retcount; v++) {
item_data *it = itemdb_exists(items[v]);
// Copy to other combos in list
it->combos.push_back(id->combos[idx]);
}
itemdb_combo.insert({ id->combos[idx]->id, id->combos[idx] });
}
count++;
}
fclose(fp);
ShowStatus("Done reading '" CL_WHITE "%u" CL_RESET "' entries in '" CL_WHITE "%s" CL_RESET "'.\n",count,path);
return;
}
/**
* Process Roulette items
*/
bool itemdb_parse_roulette_db(void)
{
int i, j;
uint32 count = 0;
// retrieve all rows from the item database
if (SQL_ERROR == Sql_Query(mmysql_handle, "SELECT * FROM `%s`", roulette_table)) {
Sql_ShowDebug(mmysql_handle);
return false;
}
for (i = 0; i < MAX_ROULETTE_LEVEL; i++)
rd.items[i] = 0;
for (i = 0; i < MAX_ROULETTE_LEVEL; i++) {
int k, limit = MAX_ROULETTE_COLUMNS - i;
for (k = 0; k < limit && SQL_SUCCESS == Sql_NextRow(mmysql_handle); k++) {
char* data;
t_itemid item_id;
unsigned short amount;
int level, flag;
Sql_GetData(mmysql_handle, 1, &data, NULL); level = atoi(data);
Sql_GetData(mmysql_handle, 2, &data, NULL); item_id = strtoul(data, nullptr, 10);
Sql_GetData(mmysql_handle, 3, &data, NULL); amount = atoi(data);
Sql_GetData(mmysql_handle, 4, &data, NULL); flag = atoi(data);
if (!itemdb_exists(item_id)) {
ShowWarning("itemdb_parse_roulette_db: Unknown item ID '%u' in level '%d'\n", item_id, level);
continue;
}
if (amount < 1 || amount > MAX_AMOUNT){
ShowWarning("itemdb_parse_roulette_db: Unsupported amount '%hu' for item ID '%u' in level '%d'\n", amount, item_id, level);
continue;
}
if (flag < 0 || flag > 1) {
ShowWarning("itemdb_parse_roulette_db: Unsupported flag '%d' for item ID '%u' in level '%d'\n", flag, item_id, level);
continue;
}
j = rd.items[i];
RECREATE(rd.nameid[i], t_itemid, ++rd.items[i]);
RECREATE(rd.qty[i], unsigned short, rd.items[i]);
RECREATE(rd.flag[i], int, rd.items[i]);
rd.nameid[i][j] = item_id;
rd.qty[i][j] = amount;
rd.flag[i][j] = flag;
++count;
}
}
// free the query result
Sql_FreeResult(mmysql_handle);
for (i = 0; i < MAX_ROULETTE_LEVEL; i++) {
int limit = MAX_ROULETTE_COLUMNS - i;
if (rd.items[i] == limit)
continue;
if (rd.items[i] > limit) {
ShowWarning("itemdb_parse_roulette_db: level %d has %d items, only %d supported, capping...\n", i + 1, rd.items[i], limit);
rd.items[i] = limit;
continue;
}
/** this scenario = rd.items[i] < limit **/
ShowWarning("itemdb_parse_roulette_db: Level %d has %d items, %d are required. Filling with Apples...\n", i + 1, rd.items[i], limit);
rd.items[i] = limit;
RECREATE(rd.nameid[i], t_itemid, rd.items[i]);
RECREATE(rd.qty[i], unsigned short, rd.items[i]);
RECREATE(rd.flag[i], int, rd.items[i]);
for (j = 0; j < MAX_ROULETTE_COLUMNS - i; j++) {
if (rd.qty[i][j])
continue;
rd.nameid[i][j] = ITEMID_APPLE;
rd.qty[i][j] = 1;
rd.flag[i][j] = 0;
}
}
ShowStatus("Done reading '" CL_WHITE "%u" CL_RESET "' entries in '" CL_WHITE "%s" CL_RESET "'.\n", count, roulette_table);
return true;
}
/**
* Free Roulette items
*/
static void itemdb_roulette_free(void) {
int i;
for (i = 0; i < MAX_ROULETTE_LEVEL; i++) {
if (rd.nameid[i])
aFree(rd.nameid[i]);
if (rd.qty[i])
aFree(rd.qty[i]);
if (rd.flag[i])
aFree(rd.flag[i]);
rd.nameid[i] = NULL;
rd.qty[i] = NULL;
rd.flag[i] = NULL;
rd.items[i] = 0;
}
}
/**
* Convert SQL data to YAML Node
* @param str: Array of parsed SQL data
* @return True on success or false otherwise
*/
static bool itemdb_read_sqldb_sub(std::vector<std::string> str) {
YAML::Node node;
int32 index = -1;
node["Id"] = std::stoul(str[++index], nullptr, 10);
node["AegisName"] = str[++index];
node["Name"] = str[++index];
node["Type"] = str[++index];
if (!str[++index].empty())
node["SubType"] = str[index];
if (!str[++index].empty())
node["Buy"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Sell"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Weight"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Attack"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Defense"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Range"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Slots"] = std::stoi(str[index]);
YAML::Node jobs;
if (!str[++index].empty())
jobs["All"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Acolyte"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Alchemist"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Archer"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Assassin"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["BardDancer"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Blacksmith"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Crusader"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Gunslinger"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Hunter"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Knight"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Mage"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Merchant"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Monk"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Ninja"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Novice"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Priest"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Rogue"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Sage"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["SoulLinker"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["StarGladiator"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["SuperNovice"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Swordman"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Taekwon"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Thief"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Wizard"] = std::stoi(str[index]) ? "true" : "false";
YAML::Node classes;
if (!str[++index].empty())
classes["All"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
classes["Normal"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
classes["Upper"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
classes["Baby"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
node["Gender"] = str[index];
YAML::Node locations;
if (!str[++index].empty())
locations["Head_Top"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Head_Mid"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Head_Low"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Armor"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Right_Hand"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Left_Hand"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Garment"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shoes"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Right_Accessory"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Left_Accessory"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Costume_Head_Top"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Costume_Head_Mid"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Costume_Head_Low"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Costume_Garment"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Ammo"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Armor"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Weapon"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Shield"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Shoes"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Right_Accessory"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
locations["Shadow_Left_Accessory"] = std::stoi(str[index]) ? "true" : "false";
node["Locations"] = locations;
if (!str[++index].empty())
node["WeaponLevel"] = std::stoi(str[index]);
if (!str[++index].empty())
node["EquipLevelMin"] = std::stoi(str[index]);
if (!str[++index].empty())
node["EquipLevelMax"] = std::stoi(str[index]);
if (!str[++index].empty())
node["Refineable"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
node["View"] = std::stoi(str[index]);
if (!str[++index].empty())
node["AliasName"] = str[index];
YAML::Node flags;
if (!str[++index].empty())
flags["BuyingStore"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["DeadBranch"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["Container"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["UniqueId"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["BindOnEquip"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["DropAnnounce"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["NoConsume"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
flags["DropEffect"] = str[index];
node["Flags"] = flags;
YAML::Node delay;
if (!str[++index].empty())
delay["Duration"] = std::stoi(str[index]);
if (!str[++index].empty())
delay["Status"] = str[index];
node["Delay"] = delay;
YAML::Node stack;
if (!str[++index].empty())
stack["Amount"] = std::stoi(str[index]);
if (!str[++index].empty())
stack["Inventory"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
stack["Cart"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
stack["Storage"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
stack["GuildStorage"] = std::stoi(str[index]) ? "true" : "false";
node["Stack"] = stack;
YAML::Node nouse;
if (!str[++index].empty())
nouse["Override"] = std::stoi(str[index]);
if (!str[++index].empty())
nouse["Sitting"] = std::stoi(str[index]) ? "true" : "false";
node["NoUse"] = nouse;
YAML::Node trade;
if (!str[++index].empty())
trade["Override"] = std::stoi(str[index]);
if (!str[++index].empty())
trade["NoDrop"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoTrade"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["TradePartner"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoSell"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoCart"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoStorage"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoGuildStorage"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoMail"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
trade["NoAuction"] = std::stoi(str[index]) ? "true" : "false";
node["Trade"] = trade;
if (!str[++index].empty())
node["Script"] = str[index];
if (!str[++index].empty())
node["EquipScript"] = str[index];
if (!str[++index].empty())
node["UnEquipScript"] = str[index];
#ifdef RENEWAL
if (!str[++index].empty())
node["MagicAttack"] = std::stoi(str[index]);
if (!str[++index].empty())
classes["Third"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
classes["Third_Upper"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
classes["Third_Baby"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["KagerouOboro"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Rebellion"] = std::stoi(str[index]) ? "true" : "false";
if (!str[++index].empty())
jobs["Summoner"] = std::stoi(str[index]) ? "true" : "false";
#endif
node["Classes"] = classes;
node["Jobs"] = jobs;
return item_db.parseBodyNode(node) > 0;
}
/**
* Read SQL item_db table
*/
static int itemdb_read_sqldb(void) {
const char* item_db_name[] = {
item_table,
item2_table
};
for( uint8 fi = 0; fi < ARRAYLENGTH(item_db_name); ++fi ) {
// retrieve all rows from the item database
if( SQL_ERROR == Sql_Query(mmysql_handle, "SELECT `id`,`name_aegis`,`name_english`,`type`,`subtype`,`price_buy`,`price_sell`,`weight`,`attack`,`defense`,`range`,`slots`,"
"`job_all`,`job_acolyte`,`job_alchemist`,`job_archer`,`job_assassin`,`job_barddancer`,`job_blacksmith`,`job_crusader`,`job_gunslinger`,`job_hunter`,`job_knight`,`job_mage`,`job_merchant`,"
"`job_monk`,`job_ninja`,`job_novice`,`job_priest`,`job_rogue`,`job_sage`,`job_soullinker`,`job_stargladiator`,`job_supernovice`,`job_swordman`,`job_taekwon`,`job_thief`,`job_wizard`,"
"`class_all`,`class_normal`,`class_upper`,`class_baby`,`gender`,"
"`location_head_top`,`location_head_mid`,`location_head_low`,`location_armor`,`location_right_hand`,`location_left_hand`,`location_garment`,`location_shoes`,`location_right_accessory`,`location_left_accessory`,"
"`location_costume_head_top`,`location_costume_head_mid`,`location_costume_head_low`,`location_costume_garment`,`location_ammo`,`location_shadow_armor`,`location_shadow_weapon`,`location_shadow_shield`,`location_shadow_shoes`,`location_shadow_right_accessory`,`location_shadow_left_accessory`,"
"`weapon_level`,`equip_level_min`,`equip_level_max`,`refineable`,`view`,`alias_name`,"
"`flag_buyingstore`,`flag_deadbranch`,`flag_container`,`flag_uniqueid`,`flag_bindonequip`,`flag_dropannounce`,`flag_noconsume`,`flag_dropeffect`,"
"`delay_duration`,`delay_status`,`stack_amount`,`stack_inventory`,`stack_cart`,`stack_storage`,`stack_guildstorage`,`nouse_override`,`nouse_sitting`,"
"`trade_override`,`trade_nodrop`,`trade_notrade`,`trade_tradepartner`,`trade_nosell`,`trade_nocart`,`trade_nostorage`,`trade_noguildstorage`,`trade_nomail`,`trade_noauction`,`script`,`equip_script`,`unequip_script`"
#ifdef RENEWAL
",`magic_attack`,`class_third`,`class_third_upper`,`class_third_baby`,`job_kagerouoboro`,`job_rebellion`,`job_summoner`"
#endif
" FROM `%s`", item_db_name[fi]) ) {
Sql_ShowDebug(mmysql_handle);
continue;
}
uint32 total_columns = Sql_NumColumns(mmysql_handle);
uint64 total_rows = Sql_NumRows(mmysql_handle), rows = 0, count = 0;
// process rows one by one
while( SQL_SUCCESS == Sql_NextRow(mmysql_handle) ) {
ShowStatus( "Loading [%" PRIu64 "/%" PRIu64 "] rows from '" CL_WHITE "%s" CL_RESET "'" CL_CLL "\r", ++rows, total_rows, item_db_name[fi] );
std::vector<std::string> data = {};
for( uint32 i = 0; i < total_columns; ++i ) {
char *str;
Sql_GetData(mmysql_handle, i, &str, nullptr);
if (str == nullptr)
data.push_back("");
else
data.push_back(str);
}
if (!itemdb_read_sqldb_sub(data))
continue;
++count;
}
// free the query result
Sql_FreeResult(mmysql_handle);
ShowStatus("Done reading '" CL_WHITE "%" PRIu64 CL_RESET "' entries in '" CL_WHITE "%s" CL_RESET "'.\n", count, item_db_name[fi]);
}
item_db.loadingFinished();
return 0;
}
/** Check if the item is restricted by item_noequip.txt
* @param id Item that will be checked
* @param m Map ID
* @return true: can't be used; false: can be used
*/
bool itemdb_isNoEquip(struct item_data *id, uint16 m) {
if (!id->flag.no_equip)
return false;
struct map_data *mapdata = map_getmapdata(m);
if ((id->flag.no_equip&1 && !mapdata_flag_vs2(mapdata)) || // Normal
(id->flag.no_equip&2 && mapdata->flag[MF_PVP]) || // PVP
(id->flag.no_equip&4 && mapdata_flag_gvg2_no_te(mapdata)) || // GVG
(id->flag.no_equip&8 && mapdata->flag[MF_BATTLEGROUND]) || // Battleground
(id->flag.no_equip&16 && mapdata_flag_gvg2_te(mapdata)) || // WOE:TE
(id->flag.no_equip&(mapdata->zone) && mapdata->flag[MF_RESTRICTED]) // Zone restriction
)
return true;
return false;
}
const std::string RandomOptionDatabase::getDefaultLocation() {
return std::string(db_path) + "/item_randomopt_db.yml";
}
/**
* Reads and parses an entry from the item_randomopt_db.
* @param node: YAML node containing the entry.
* @return count of successfully parsed rows
*/
uint64 RandomOptionDatabase::parseBodyNode(const YAML::Node &node) {
uint16 id;
if (!this->asUInt16(node, "Id", id))
return 0;
std::shared_ptr<s_random_opt_data> randopt = this->find(id);
bool exists = randopt != nullptr;
if (!exists) {
if (!this->nodesExist(node, { "Option", "Script" }))
return 0;
randopt = std::make_shared<s_random_opt_data>();
randopt->id = id;
}
if (this->nodeExists(node, "Option")) {
std::string name;
if (!this->asString(node, "Option", name))
return 0;
if (randopt->name.compare(name) != 0 && random_option_db.option_exists(name)) {
this->invalidWarning(node["Option"], "Found duplicate random option name for %s, skipping.\n", name.c_str());
return 0;
}
randopt->name = name;
}
if (this->nodeExists(node, "Script")) {
std::string script;
if (!this->asString(node, "Script", script))
return 0;
if (randopt->script) {
aFree(randopt->script);
randopt->script = nullptr;
}
randopt->script = parse_script(script.c_str(), this->getCurrentFile().c_str(), id, SCRIPT_IGNORE_EXTERNAL_BRACKETS);
}
if (!exists)
this->put(id, randopt);
return 1;
}
void RandomOptionDatabase::loadingFinished(){
const char* prefix = "RDMOPT_";
for( const auto& pair : *this ){
std::string name = prefix + pair.second->name;
int64 constant;
// Check if it has already been set
if( script_get_constant( name.c_str(), &constant ) ){
// It is already the same
if( constant == pair.first ){
continue;
}else{
// Export it to the script engine -> will issue a warning
}
}
script_set_constant( name.c_str(), pair.first, false, false );
}
}
RandomOptionDatabase random_option_db;
/**
* Check if the given random option name exists.
* @param name: Random option name
* @return True on success or false on failure
*/
bool RandomOptionDatabase::option_exists(std::string name) {
for (const auto &opt : random_option_db) {
if (opt.second->name.compare(name) == 0)
return true;
}
return false;
}
/**
* Return the constant value of the given random option.
* @param name: Random option name
* @param id: Random option ID
* @return True on success or false on failure
*/
bool RandomOptionDatabase::option_get_id(std::string name, uint16 &id) {
for (const auto &opt : random_option_db) {
if (opt.second->name.compare(name) == 0) {
id = opt.first;
return true;
}
}
return false;
}
const std::string RandomOptionGroupDatabase::getDefaultLocation() {
return std::string(db_path) + "/item_randomopt_group.yml";
}
bool RandomOptionGroupDatabase::add_option(const YAML::Node &node, std::shared_ptr<s_random_opt_group_entry> &entry) {
uint16 option_id;
if (this->nodeExists(node, "Option")) {
std::string opt_name;
if (!this->asString(node, "Option", opt_name))
return false;
if (!random_option_db.option_get_id(opt_name, option_id)) {
this->invalidWarning(node["Option"], "Invalid Random Option name %s given.\n", opt_name.c_str());
return false;
}
} else {
this->invalidWarning(node, "Missing Option node.\n");
return false;
}
entry = std::make_shared<s_random_opt_group_entry>();
entry->id = option_id;
if (this->nodeExists(node, "MinValue")) {
int16 value;
if (!this->asInt16(node, "MinValue", value))
return false;
entry->min_value = value;
} else {
entry->min_value = 0;
}
if (this->nodeExists(node, "MaxValue")) {
int16 value;
if (!this->asInt16(node, "MaxValue", value))
return false;
entry->max_value = value;
} else {
entry->max_value = 0;
}
if (entry->min_value > entry->max_value) {
this->invalidWarning(node["MaxValue"], "MinValue %d is greater than MaxValue %d, setting MaxValue to MinValue + 1.\n", entry->min_value, entry->max_value);
entry->max_value = entry->min_value + 1;
}
if (this->nodeExists(node, "Param")) {
int16 value;
if (!this->asInt16(node, "Param", value))
return false;
entry->param = static_cast<int8>(value);
} else {
entry->param = 0;
}
if (this->nodeExists(node, "Chance")) {
uint16 chance;
if (!this->asUInt16Rate(node, "Chance", chance))
return false;
entry->chance = chance;
} else {
entry->chance = 0;
}
return true;
}
/**
* Reads and parses an entry from the item_randomopt_group.
* @param node: YAML node containing the entry.
* @return count of successfully parsed rows
*/
uint64 RandomOptionGroupDatabase::parseBodyNode(const YAML::Node &node) {
uint16 id;
if (!this->asUInt16(node, "Id", id))
return 0;
std::shared_ptr<s_random_opt_group> randopt = this->find(id);
bool exists = randopt != nullptr;
if (!exists) {
if (!this->nodesExist(node, { "Group" }))
return 0;
randopt = std::make_shared<s_random_opt_group>();
randopt->id = id;
}
if (this->nodeExists(node, "Group")) {
std::string name;
if (!this->asString(node, "Group", name))
return 0;
if (randopt->name.compare(name) != 0 && random_option_group.option_exists(name)) {
this->invalidWarning(node["Group"], "Found duplicate random option group name for %s, skipping.\n", name.c_str());
return 0;
}
randopt->name = name;
}
for (const YAML::Node &slotNode : node["Slots"]) {
if (randopt->slots.size() >= MAX_ITEM_RDM_OPT) {
this->invalidWarning(slotNode, "Reached maximum of %d Random Option group options. Skipping the remaining slots...\n", MAX_ITEM_RDM_OPT);
break;
}
uint16 slot;
if (!this->asUInt16(slotNode, "Slot", slot))
return 0;
if (slot < 1 || slot > MAX_ITEM_RDM_OPT) {
this->invalidWarning(slotNode["Slot"], "Invalid Random Opton Slot number %hu given, must be between 1~%d, skipping.\n", slot, MAX_ITEM_RDM_OPT);
return 0;
}
std::vector<std::shared_ptr<s_random_opt_group_entry>> entries;
for (const YAML::Node &optionNode : slotNode["Options"]) {
std::shared_ptr<s_random_opt_group_entry> entry;
if (!this->add_option(optionNode, entry))
return 0;
entries.push_back(entry);
}
randopt->slots[slot - 1] = entries;
}
if (this->nodeExists(node, "MaxRandom")) {
uint16 max;
if (!this->asUInt16(node, "MaxRandom", max))
return 0;
if (max > MAX_ITEM_RDM_OPT) {
this->invalidWarning(node["MaxRandom"], "Exceeds the maximum of %d Random Option group options, capping to MAX_ITEM_RDM_OPT.\n", MAX_ITEM_RDM_OPT);
max = MAX_ITEM_RDM_OPT;
}
randopt->max_random = max;
} else {
if (!exists)
randopt->max_random = 0;
}
if (this->nodeExists(node, "Random")) {
randopt->random_options.clear();
for (const YAML::Node &randomNode : node["Random"]) {
std::shared_ptr<s_random_opt_group_entry> entry;
if (!this->add_option(randomNode, entry))
return 0;
randopt->random_options.push_back(entry);
}
}
if (!exists)
this->put(id, randopt);
return 1;
}
RandomOptionGroupDatabase random_option_group;
/**
* Check if the given random option group name exists.
* @param name: Random option name
* @return True on success or false on failure
*/
bool RandomOptionGroupDatabase::option_exists(std::string name) {
for (const auto &opt : random_option_group) {
if (opt.second->name.compare(name) == 0)
return true;
}
return false;
}
/**
* Return the constant value of the given random option group.
* @param name: Random option group name
* @param id: Random option group ID
* @return True on success or false on failure
*/
bool RandomOptionGroupDatabase::option_get_id(std::string name, uint16 &id) {
for (const auto &opt : random_option_group) {
if (opt.second->name.compare(name) == 0) {
id = opt.first;
return true;
}
}
return false;
}
/**
* Read all item-related databases
*/
static void itemdb_read(void) {
int i;
const char* dbsubpath[] = {
"",
"/" DBIMPORT,
};
if (db_use_sqldbs)
itemdb_read_sqldb();
else
item_db.load();
for(i=0; i<ARRAYLENGTH(dbsubpath); i++){
uint8 n1 = (uint8)(strlen(db_path)+strlen(dbsubpath[i])+1);
uint8 n2 = (uint8)(strlen(db_path)+strlen(DBPATH)+strlen(dbsubpath[i])+1);
char* dbsubpath1 = (char*)aMalloc(n1+1);
char* dbsubpath2 = (char*)aMalloc(n2+1);
if(i==0) {
safesnprintf(dbsubpath1,n1,"%s%s",db_path,dbsubpath[i]);
safesnprintf(dbsubpath2,n2,"%s/%s%s",db_path,DBPATH,dbsubpath[i]);
}
else {
safesnprintf(dbsubpath1,n1,"%s%s",db_path,dbsubpath[i]);
safesnprintf(dbsubpath2,n1,"%s%s",db_path,dbsubpath[i]);
}
sv_readdb(dbsubpath2, "item_group_db.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath2, "item_bluebox.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath2, "item_violetbox.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath2, "item_cardalbum.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath1, "item_findingore.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath2, "item_giftbox.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
sv_readdb(dbsubpath2, "item_misc.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
#ifdef RENEWAL
sv_readdb(dbsubpath2, "item_package.txt", ',', 2, 10, -1, &itemdb_read_group, i > 0);
#endif
itemdb_read_combos(dbsubpath2,i > 0); //TODO change this to sv_read ? id#script ?
sv_readdb(dbsubpath2, "item_noequip.txt", ',', 2, 2, -1, &itemdb_read_noequip, i > 0);
aFree(dbsubpath1);
aFree(dbsubpath2);
}
random_option_db.load();
random_option_group.load();
}
/*==========================================
* Initialize / Finalize
*------------------------------------------*/
/** NOTE:
* In some OSs, like Raspbian, we aren't allowed to pass 0 in va_list.
* So, itemdb_group_free2 is useful in some cases.
* NB : We keeping that funciton cause that signature is needed for some iterator..
*/
static int itemdb_group_free(DBKey key, DBData *data, va_list ap) {
return itemdb_group_free2(key,data);
}
/** (ARM)
* Adaptation of itemdb_group_free. This function enables to compile rAthena on Raspbian OS.
*/
static inline int itemdb_group_free2(DBKey key, DBData *data) {
struct s_item_group_db *group = (struct s_item_group_db *)db_data2ptr(data);
uint8 j;
if (!group)
return 0;
if (group->must_qty)
aFree(group->must);
group->must_qty = 0;
for (j = 0; j < MAX_ITEMGROUP_RANDGROUP; j++) {
if (!group->random[j].data_qty || !(&group->random[j]))
continue;
aFree(group->random[j].data);
group->random[j].data_qty = 0;
}
aFree(group);
return 0;
}
bool item_data::isStackable()
{
switch (this->type) {
case IT_WEAPON:
case IT_ARMOR:
case IT_PETEGG:
case IT_PETARMOR:
case IT_SHADOWGEAR:
return false;
}
return true;
}
int item_data::inventorySlotNeeded(int quantity)
{
return (this->flag.guid || !this->isStackable()) ? quantity : 1;
}
/**
* Reload Item DB
*/
void itemdb_reload(void) {
struct s_mapiterator* iter;
struct map_session_data* sd;
item_db.clear();
itemdb_combo.clear();
itemdb_group->clear(itemdb_group, itemdb_group_free);
random_option_db.clear();
random_option_group.clear();
if (battle_config.feature_roulette)
itemdb_roulette_free();
// read new data
itemdb_read();
cashshop_reloaddb();
if (battle_config.feature_roulette)
itemdb_parse_roulette_db();
mob_reload_itemmob_data();
// readjust itemdb pointer cache for each player
iter = mapit_geteachpc();
for( sd = (struct map_session_data*)mapit_first(iter); mapit_exists(iter); sd = (struct map_session_data*)mapit_next(iter) ) {
memset(sd->item_delay, 0, sizeof(sd->item_delay)); // reset item delays
sd->combos.clear(); // clear combo bonuses
pc_setinventorydata(sd);
pc_check_available_item(sd, ITMCHK_ALL); // Check for invalid(ated) items.
pc_load_combo(sd); // Check to see if new combos are available
status_calc_pc(sd, SCO_FORCE); //
}
mapit_free(iter);
}
/**
* Finalizing Item DB
*/
void do_final_itemdb(void) {
item_db.clear();
itemdb_combo.clear();
itemdb_group->destroy(itemdb_group, itemdb_group_free);
random_option_db.clear();
random_option_group.clear();
if (battle_config.feature_roulette)
itemdb_roulette_free();
}
/**
* Initializing Item DB
*/
void do_init_itemdb(void) {
itemdb_group = uidb_alloc(DB_OPT_BASE);
itemdb_read();
if (battle_config.feature_roulette)
itemdb_parse_roulette_db();
}