2024-02-26 15:14:53 -05:00
|
|
|
#include "Server.hpp"
|
|
|
|
#include <Geode/utils/JsonValidation.hpp>
|
|
|
|
#include <loader/ModMetadataImpl.hpp>
|
2024-03-02 17:28:06 -05:00
|
|
|
#include <fmt/chrono.h>
|
2024-02-26 15:14:53 -05:00
|
|
|
|
|
|
|
using namespace server;
|
|
|
|
|
2024-02-26 20:59:06 -05:00
|
|
|
#define GEODE_GD_VERSION_STR GEODE_STR(GEODE_GD_VERSION)
|
2024-02-26 15:14:53 -05:00
|
|
|
|
2024-04-21 17:08:10 -04:00
|
|
|
template <class K, class V>
|
|
|
|
class CacheMap final {
|
|
|
|
private:
|
|
|
|
// I know this looks like a goofy choice over just
|
|
|
|
// `std::unordered_map`, but hear me out:
|
|
|
|
//
|
|
|
|
// This needs preserved insertion order (so shrinking the cache
|
|
|
|
// to match size limits doesn't just have to erase random
|
|
|
|
// elements)
|
|
|
|
//
|
|
|
|
// If this used a map for values and another vector for storing
|
|
|
|
// insertion order, it would have a pretty big memory footprint
|
|
|
|
// (two copies of Query, one for order, one for map + two heap
|
|
|
|
// allocations on top of that)
|
|
|
|
//
|
|
|
|
// In addition, it would be a bad idea to have a cache of 1000s
|
|
|
|
// of items in any case (since that would likely take up a ton
|
|
|
|
// of memory, which we want to avoid since it's likely many
|
|
|
|
// crashes with the old index were due to too much memory
|
|
|
|
// usage)
|
|
|
|
//
|
|
|
|
// Linear searching a vector of at most a couple dozen items is
|
|
|
|
// lightning-fast (🚀), and besides the main performance benefit
|
|
|
|
// comes from the lack of a web request - not how many extra
|
|
|
|
// milliseconds we can squeeze out of a map access
|
|
|
|
std::vector<std::pair<K, V>> m_values;
|
|
|
|
size_t m_sizeLimit = 20;
|
|
|
|
|
|
|
|
public:
|
|
|
|
std::optional<V> get(K const& key) {
|
|
|
|
auto it = std::find_if(m_values.begin(), m_values.end(), [key](auto const& q) {
|
|
|
|
return q.first == key;
|
|
|
|
});
|
|
|
|
if (it != m_values.end()) {
|
|
|
|
return it->second;
|
|
|
|
}
|
|
|
|
return std::nullopt;
|
|
|
|
}
|
|
|
|
void add(K&& key, V&& value) {
|
|
|
|
auto pair = std::make_pair(std::move(key), std::move(value));
|
|
|
|
|
|
|
|
// Shift and replace last element if we're at cache size limit
|
|
|
|
if (m_values.size() >= m_sizeLimit) {
|
|
|
|
std::shift_left(m_values.begin(), m_values.end(), 1);
|
|
|
|
m_values.back() = std::move(pair);
|
|
|
|
}
|
|
|
|
// Otherwise append at end
|
|
|
|
else {
|
|
|
|
m_values.emplace_back(std::move(pair));
|
|
|
|
}
|
|
|
|
}
|
|
|
|
void remove(K const& key) {
|
|
|
|
ranges::remove(m_values, [&key](auto const& q) { return q.first == key; });
|
|
|
|
}
|
|
|
|
void clear() {
|
|
|
|
m_values.clear();
|
|
|
|
}
|
|
|
|
void limit(size_t size) {
|
|
|
|
m_sizeLimit = size;
|
|
|
|
m_values.clear();
|
|
|
|
}
|
|
|
|
size_t size() const {
|
|
|
|
return m_values.size();
|
|
|
|
}
|
|
|
|
size_t limit() const {
|
|
|
|
return m_sizeLimit;
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
template <class Q, class V>
|
|
|
|
using ServerFuncQ = V(*)(Q const&, bool);
|
|
|
|
template <class V>
|
|
|
|
using ServerFuncNQ = V(*)(bool);
|
|
|
|
|
|
|
|
template <class F>
|
|
|
|
struct ExtractFun;
|
|
|
|
|
|
|
|
template <class Q, class V>
|
|
|
|
struct ExtractFun<ServerRequest<V>(*)(Q const&, bool)> {
|
|
|
|
using Query = Q;
|
|
|
|
using Value = V;
|
|
|
|
static ServerRequest<V> invoke(auto&& func, Query const& query) {
|
|
|
|
return func(query, false);
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
template <class V>
|
|
|
|
struct ExtractFun<ServerRequest<V>(*)(bool)> {
|
|
|
|
using Query = std::monostate;
|
|
|
|
using Value = V;
|
|
|
|
static ServerRequest<V> invoke(auto&& func, Query const&) {
|
|
|
|
return func(false);
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
template <auto F>
|
|
|
|
class FunCache final {
|
|
|
|
public:
|
|
|
|
using Extract = ExtractFun<decltype(F)>;
|
|
|
|
using Query = typename Extract::Query;
|
|
|
|
using Value = typename Extract::Value;
|
|
|
|
|
|
|
|
private:
|
|
|
|
CacheMap<Query, ServerRequest<Value>> m_cache;
|
|
|
|
|
|
|
|
public:
|
|
|
|
FunCache() = default;
|
|
|
|
FunCache(FunCache const&) = delete;
|
|
|
|
FunCache(FunCache&&) = delete;
|
|
|
|
|
|
|
|
ServerRequest<Value> get(Query const& query = Query()) {
|
|
|
|
if (auto v = m_cache.get(query)) {
|
|
|
|
return *v;
|
|
|
|
}
|
|
|
|
auto f = Extract::invoke(F, query);
|
|
|
|
m_cache.add(Query(query), ServerRequest<Value>(f));
|
|
|
|
return f;
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
void limit(size_t size) {
|
|
|
|
m_cache.limit(size);
|
|
|
|
}
|
2024-04-21 17:08:10 -04:00
|
|
|
void clear() {
|
|
|
|
m_cache.clear();
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
template <auto F>
|
|
|
|
FunCache<F>& getCache() {
|
|
|
|
static auto inst = FunCache<F>();
|
|
|
|
return inst;
|
|
|
|
}
|
|
|
|
|
2024-03-02 14:57:40 -05:00
|
|
|
static const char* jsonTypeToString(matjson::Type const& type) {
|
|
|
|
switch (type) {
|
|
|
|
case matjson::Type::Object: return "object";
|
|
|
|
case matjson::Type::Array: return "array";
|
|
|
|
case matjson::Type::Bool: return "boolean";
|
|
|
|
case matjson::Type::Number: return "number";
|
|
|
|
case matjson::Type::String: return "string";
|
|
|
|
case matjson::Type::Null: return "null";
|
|
|
|
default: return "unknown";
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-04-21 17:08:10 -04:00
|
|
|
static Result<matjson::Value, ServerError> parseServerPayload(web::WebResponse const& response) {
|
2024-03-02 14:57:40 -05:00
|
|
|
auto asJson = response.json();
|
|
|
|
if (!asJson) {
|
|
|
|
return Err(ServerError(response.code(), "Response was not valid JSON: {}", asJson.unwrapErr()));
|
|
|
|
}
|
|
|
|
auto json = std::move(asJson).unwrap();
|
|
|
|
if (!json.is_object()) {
|
|
|
|
return Err(ServerError(response.code(), "Expected object, got {}", jsonTypeToString(json.type())));
|
|
|
|
}
|
|
|
|
auto obj = json.as_object();
|
|
|
|
if (!obj.contains("payload")) {
|
|
|
|
return Err(ServerError(response.code(), "Object does not contain \"payload\" key - got {}", json.dump()));
|
|
|
|
}
|
|
|
|
return Ok(obj["payload"]);
|
|
|
|
}
|
|
|
|
|
2024-04-21 17:08:10 -04:00
|
|
|
static ServerError parseServerError(web::WebResponse const& error) {
|
2024-02-26 17:55:33 -05:00
|
|
|
// The server should return errors as `{ "error": "...", "payload": "" }`
|
2024-03-02 14:57:40 -05:00
|
|
|
if (auto asJson = error.json()) {
|
|
|
|
auto json = asJson.unwrap();
|
|
|
|
if (json.is_object() && json.contains("error")) {
|
2024-03-12 16:41:17 -04:00
|
|
|
return ServerError(
|
2024-03-02 14:57:40 -05:00
|
|
|
error.code(),
|
|
|
|
"{}", json.template get<std::string>("error")
|
2024-03-12 16:41:17 -04:00
|
|
|
);
|
2024-03-02 14:57:40 -05:00
|
|
|
}
|
|
|
|
else {
|
2024-03-12 16:41:17 -04:00
|
|
|
return ServerError(error.code(), "Unknown (not valid JSON)");
|
2024-03-02 14:57:40 -05:00
|
|
|
}
|
2024-02-26 17:55:33 -05:00
|
|
|
}
|
|
|
|
// But if we get something else for some reason, return that
|
|
|
|
else {
|
2024-03-12 16:41:17 -04:00
|
|
|
return ServerError(
|
2024-03-02 14:57:40 -05:00
|
|
|
error.code(),
|
|
|
|
"{}", error.string().unwrapOr("Unknown (not a valid string)")
|
2024-03-12 16:41:17 -04:00
|
|
|
);
|
2024-02-26 17:55:33 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-04-21 17:08:10 -04:00
|
|
|
static ServerProgress parseServerProgress(web::WebProgress const& prog, auto msg) {
|
2024-02-26 17:55:33 -05:00
|
|
|
if (auto per = prog.downloadProgress()) {
|
2024-03-12 16:41:17 -04:00
|
|
|
return ServerProgress(msg, static_cast<uint8_t>(*per));
|
2024-02-26 17:55:33 -05:00
|
|
|
}
|
|
|
|
else {
|
2024-03-12 16:41:17 -04:00
|
|
|
return ServerProgress(msg);
|
2024-02-26 17:55:33 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-02-26 15:14:53 -05:00
|
|
|
const char* server::sortToString(ModsSort sorting) {
|
|
|
|
switch (sorting) {
|
|
|
|
default:
|
|
|
|
case ModsSort::Downloads: return "downloads";
|
|
|
|
case ModsSort::RecentlyUpdated: return "recently_updated";
|
|
|
|
case ModsSort::RecentlyPublished: return "recently_published";
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-03-02 17:28:06 -05:00
|
|
|
std::string ServerDateTime::toAgoString() const {
|
|
|
|
auto const fmtPlural = [](auto count, auto unit) {
|
|
|
|
if (count == 1) {
|
|
|
|
return fmt::format("{} {} ago", count, unit);
|
|
|
|
}
|
|
|
|
return fmt::format("{} {}s ago", count, unit);
|
|
|
|
};
|
|
|
|
auto now = Clock::now();
|
|
|
|
auto len = std::chrono::duration_cast<std::chrono::minutes>(now - value).count();
|
|
|
|
if (len < 60) {
|
|
|
|
return fmtPlural(len, "minute");
|
|
|
|
}
|
|
|
|
len = std::chrono::duration_cast<std::chrono::hours>(now - value).count();
|
|
|
|
if (len < 24) {
|
|
|
|
return fmtPlural(len, "hour");
|
|
|
|
}
|
|
|
|
len = std::chrono::duration_cast<std::chrono::days>(now - value).count();
|
|
|
|
if (len < 31) {
|
|
|
|
return fmtPlural(len, "day");
|
|
|
|
}
|
2024-03-02 17:45:26 -05:00
|
|
|
return fmt::format("{:%b %d %Y}", value);
|
2024-03-02 17:28:06 -05:00
|
|
|
}
|
|
|
|
|
|
|
|
Result<ServerDateTime> ServerDateTime::parse(std::string const& str) {
|
|
|
|
std::stringstream ss(str);
|
2024-03-10 06:21:30 -04:00
|
|
|
std::tm value;
|
|
|
|
if (ss >> std::get_time(&value, "%Y-%m-%dT%H:%M:%SZ")) {
|
|
|
|
auto time = std::mktime(&value);
|
2024-03-02 17:28:06 -05:00
|
|
|
return Ok(ServerDateTime {
|
2024-03-10 06:21:30 -04:00
|
|
|
.value = Clock::from_time_t(time),
|
2024-03-02 17:28:06 -05:00
|
|
|
});
|
|
|
|
}
|
|
|
|
return Err("Invalid date time format '{}'", str);
|
|
|
|
}
|
|
|
|
|
2024-02-26 15:14:53 -05:00
|
|
|
Result<ServerModVersion> ServerModVersion::parse(matjson::Value const& raw) {
|
|
|
|
auto json = raw;
|
|
|
|
JsonChecker checker(json);
|
|
|
|
auto root = checker.root("ServerModVersion").obj();
|
|
|
|
|
|
|
|
auto res = ServerModVersion();
|
|
|
|
|
|
|
|
// Verify target Geode version
|
|
|
|
auto version = root.needs("geode").template get<VersionInfo>();
|
|
|
|
if (!semverCompare(Loader::get()->getVersion(), version)) {
|
|
|
|
return Err(
|
|
|
|
"Mod targets version {} but Geode is version {}",
|
|
|
|
version, Loader::get()->getVersion()
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
// Verify target GD version
|
|
|
|
auto gd = root.needs("gd").obj().needs(GEODE_PLATFORM_SHORT_IDENTIFIER).template get<std::string>();
|
2024-02-26 20:14:01 -05:00
|
|
|
if (gd != GEODE_GD_VERSION_STR && gd != "*") {
|
2024-02-26 15:14:53 -05:00
|
|
|
return Err(
|
|
|
|
"Mod targets GD version {} but current is version {}",
|
|
|
|
gd, GEODE_GD_VERSION_STR
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
// Get server info
|
|
|
|
root.needs("download_link").into(res.downloadURL);
|
|
|
|
root.needs("download_count").into(res.downloadCount);
|
|
|
|
root.needs("hash").into(res.hash);
|
|
|
|
|
|
|
|
// Get mod metadata info
|
|
|
|
res.metadata.setID(root.needs("mod_id").template get<std::string>());
|
|
|
|
res.metadata.setName(root.needs("name").template get<std::string>());
|
|
|
|
res.metadata.setDescription(root.needs("description").template get<std::string>());
|
|
|
|
res.metadata.setVersion(root.needs("version").template get<VersionInfo>());
|
|
|
|
res.metadata.setIsAPI(root.needs("api").template get<bool>());
|
|
|
|
|
|
|
|
std::vector<ModMetadata::Dependency> dependencies {};
|
|
|
|
for (auto dep : root.has("dependencies").iterate()) {
|
|
|
|
// todo: this should probably be generalized to use the same function as mod.json
|
|
|
|
|
|
|
|
auto obj = dep.obj();
|
|
|
|
|
|
|
|
bool onThisPlatform = !obj.has("platforms");
|
|
|
|
for (auto& plat : obj.has("platforms").iterate()) {
|
|
|
|
if (PlatformID::from(plat.get<std::string>()) == GEODE_PLATFORM_TARGET) {
|
|
|
|
onThisPlatform = true;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
if (!onThisPlatform) {
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
|
|
|
|
ModMetadata::Dependency dependency;
|
|
|
|
obj.needs("id").validate(MiniFunction<bool(std::string const&)>(&ModMetadata::validateID)).into(dependency.id);
|
|
|
|
obj.needs("version").into(dependency.version);
|
|
|
|
obj.has("importance").into(dependency.importance);
|
|
|
|
|
|
|
|
dependencies.push_back(dependency);
|
|
|
|
}
|
|
|
|
res.metadata.setDependencies(dependencies);
|
|
|
|
|
|
|
|
std::vector<ModMetadata::Incompatibility> incompatibilities {};
|
|
|
|
for (auto& incompat : root.has("incompatibilities").iterate()) {
|
|
|
|
auto obj = incompat.obj();
|
|
|
|
|
|
|
|
ModMetadata::Incompatibility incompatibility;
|
|
|
|
obj.needs("id").validate(MiniFunction<bool(std::string const&)>(&ModMetadata::validateID)).into(incompatibility.id);
|
|
|
|
obj.needs("version").into(incompatibility.version);
|
|
|
|
obj.has("importance").into(incompatibility.importance);
|
|
|
|
|
|
|
|
incompatibilities.push_back(incompatibility);
|
|
|
|
}
|
2024-03-26 16:18:34 -04:00
|
|
|
res.metadata.setIncompatibilities(incompatibilities);
|
2024-02-26 15:14:53 -05:00
|
|
|
|
|
|
|
// Check for errors and return result
|
|
|
|
if (root.isError()) {
|
|
|
|
return Err(root.getError());
|
|
|
|
}
|
|
|
|
return Ok(res);
|
|
|
|
}
|
|
|
|
|
2024-03-26 16:18:34 -04:00
|
|
|
Result<ServerModUpdate> ServerModUpdate::parse(matjson::Value const& raw) {
|
|
|
|
auto json = raw;
|
|
|
|
JsonChecker checker(json);
|
|
|
|
auto root = checker.root("ServerModUpdate").obj();
|
|
|
|
|
|
|
|
auto res = ServerModUpdate();
|
|
|
|
|
|
|
|
root.needs("id").into(res.id);
|
|
|
|
root.needs("version").into(res.version);
|
|
|
|
|
|
|
|
// Check for errors and return result
|
|
|
|
if (root.isError()) {
|
|
|
|
return Err(root.getError());
|
|
|
|
}
|
|
|
|
return Ok(res);
|
|
|
|
}
|
|
|
|
|
|
|
|
Result<std::vector<ServerModUpdate>> ServerModUpdate::parseList(matjson::Value const& raw) {
|
|
|
|
auto json = raw;
|
|
|
|
JsonChecker checker(json);
|
|
|
|
auto payload = checker.root("ServerModUpdatesList").array();
|
|
|
|
|
|
|
|
std::vector<ServerModUpdate> list {};
|
|
|
|
for (auto item : payload.iterate()) {
|
|
|
|
auto mod = ServerModUpdate::parse(item.json());
|
|
|
|
if (mod) {
|
|
|
|
list.push_back(mod.unwrap());
|
|
|
|
}
|
|
|
|
else {
|
|
|
|
log::error("Unable to parse mod update from the server: {}", mod.unwrapErr());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Check for errors and return result
|
|
|
|
if (payload.isError()) {
|
|
|
|
return Err(payload.getError());
|
|
|
|
}
|
|
|
|
return Ok(list);
|
|
|
|
}
|
|
|
|
|
|
|
|
bool ServerModUpdate::hasUpdateForInstalledMod() const {
|
2024-03-27 06:09:13 -04:00
|
|
|
if (auto mod = Loader::get()->getInstalledMod(this->id)) {
|
2024-03-26 16:18:34 -04:00
|
|
|
return mod->getVersion() < this->version;
|
|
|
|
}
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
|
2024-02-26 15:14:53 -05:00
|
|
|
Result<ServerModMetadata> ServerModMetadata::parse(matjson::Value const& raw) {
|
|
|
|
auto json = raw;
|
|
|
|
JsonChecker checker(json);
|
|
|
|
auto root = checker.root("ServerModMetadata").obj();
|
|
|
|
|
|
|
|
auto res = ServerModMetadata();
|
|
|
|
root.needs("id").into(res.id);
|
|
|
|
root.needs("featured").into(res.featured);
|
|
|
|
root.needs("download_count").into(res.downloadCount);
|
|
|
|
root.has("about").into(res.about);
|
|
|
|
root.has("changelog").into(res.changelog);
|
2024-03-25 06:36:33 -04:00
|
|
|
root.has("repository").into(res.repository);
|
2024-03-02 17:28:06 -05:00
|
|
|
if (root.has("created_at")) {
|
|
|
|
GEODE_UNWRAP_INTO(res.createdAt, ServerDateTime::parse(root.has("created_at").template get<std::string>()));
|
|
|
|
}
|
|
|
|
if (root.has("updated_at")) {
|
|
|
|
GEODE_UNWRAP_INTO(res.updatedAt, ServerDateTime::parse(root.has("updated_at").template get<std::string>()));
|
|
|
|
}
|
2024-02-26 15:14:53 -05:00
|
|
|
|
2024-02-26 17:55:33 -05:00
|
|
|
std::vector<std::string> developerNames;
|
2024-02-26 15:14:53 -05:00
|
|
|
for (auto item : root.needs("developers").iterate()) {
|
|
|
|
auto obj = item.obj();
|
|
|
|
auto dev = ServerDeveloper();
|
|
|
|
obj.needs("username").into(dev.username);
|
|
|
|
obj.needs("display_name").into(dev.displayName);
|
|
|
|
res.developers.push_back(dev);
|
2024-02-26 17:55:33 -05:00
|
|
|
developerNames.push_back(dev.displayName);
|
2024-02-26 15:14:53 -05:00
|
|
|
}
|
|
|
|
for (auto item : root.needs("versions").iterate()) {
|
|
|
|
auto versionRes = ServerModVersion::parse(item.json());
|
|
|
|
if (versionRes) {
|
|
|
|
auto version = versionRes.unwrap();
|
|
|
|
version.metadata.setDetails(res.about);
|
|
|
|
version.metadata.setChangelog(res.changelog);
|
2024-02-26 17:55:33 -05:00
|
|
|
version.metadata.setDevelopers(developerNames);
|
2024-03-25 06:36:33 -04:00
|
|
|
version.metadata.setRepository(res.repository);
|
2024-02-26 15:14:53 -05:00
|
|
|
res.versions.push_back(version);
|
|
|
|
}
|
|
|
|
else {
|
|
|
|
log::error("Unable to parse mod '{}' version from the server: {}", res.id, versionRes.unwrapErr());
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Ensure there's at least one valid version
|
|
|
|
if (res.versions.empty()) {
|
|
|
|
return Err("Mod '{}' has no (valid) versions", res.id);
|
|
|
|
}
|
|
|
|
|
|
|
|
for (auto item : root.has("tags").iterate()) {
|
|
|
|
res.tags.insert(item.template get<std::string>());
|
|
|
|
}
|
|
|
|
|
|
|
|
root.needs("download_count").into(res.downloadCount);
|
|
|
|
|
|
|
|
// Check for errors and return result
|
|
|
|
if (root.isError()) {
|
|
|
|
return Err(root.getError());
|
|
|
|
}
|
|
|
|
return Ok(res);
|
|
|
|
}
|
|
|
|
|
|
|
|
Result<ServerModsList> ServerModsList::parse(matjson::Value const& raw) {
|
|
|
|
auto json = raw;
|
|
|
|
JsonChecker checker(json);
|
2024-03-02 14:57:40 -05:00
|
|
|
auto payload = checker.root("ServerModsList").obj();
|
2024-02-26 15:14:53 -05:00
|
|
|
|
|
|
|
auto list = ServerModsList();
|
|
|
|
for (auto item : payload.needs("data").iterate()) {
|
2024-02-26 18:16:24 -05:00
|
|
|
auto mod = ServerModMetadata::parse(item.json());
|
|
|
|
if (mod) {
|
|
|
|
list.mods.push_back(mod.unwrap());
|
|
|
|
}
|
|
|
|
else {
|
|
|
|
log::error("Unable to parse mod from the server: {}", mod.unwrapErr());
|
|
|
|
}
|
2024-02-26 15:14:53 -05:00
|
|
|
}
|
|
|
|
payload.needs("count").into(list.totalModCount);
|
|
|
|
|
|
|
|
// Check for errors and return result
|
|
|
|
if (payload.isError()) {
|
|
|
|
return Err(payload.getError());
|
|
|
|
}
|
|
|
|
return Ok(list);
|
|
|
|
}
|
|
|
|
|
2024-03-05 11:25:35 -05:00
|
|
|
ModMetadata ServerModMetadata::latestVersion() const {
|
|
|
|
return this->versions.front().metadata;
|
|
|
|
}
|
|
|
|
|
|
|
|
bool ServerModMetadata::hasUpdateForInstalledMod() const {
|
2024-03-27 06:09:13 -04:00
|
|
|
if (auto mod = Loader::get()->getInstalledMod(this->id)) {
|
2024-03-05 11:25:35 -05:00
|
|
|
return mod->getVersion() < this->latestVersion().getVersion();
|
|
|
|
}
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
|
2024-02-26 15:14:53 -05:00
|
|
|
std::string server::getServerAPIBaseURL() {
|
|
|
|
return "https://api.geode-sdk.org/v1";
|
|
|
|
}
|
|
|
|
|
2024-02-26 20:36:38 -05:00
|
|
|
std::string server::getServerUserAgent() {
|
|
|
|
// this may change in the future..
|
|
|
|
return fmt::format("Geode {}/{}",
|
|
|
|
Loader::get()->getVersion().toString(),
|
|
|
|
PlatformID::toShortString(GEODE_PLATFORM_TARGET)
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
ServerRequest<ServerModsList> server::getMods(ModsQuery const& query, bool useCache) {
|
2024-04-21 17:08:10 -04:00
|
|
|
if (useCache) {
|
2024-04-22 06:35:12 -04:00
|
|
|
return getCache<getMods>().get(query);
|
2024-04-21 17:08:10 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
auto req = web::WebRequest();
|
|
|
|
req.userAgent(getServerUserAgent());
|
|
|
|
|
|
|
|
// Always target current GD version and Loader version
|
|
|
|
req.param("gd", GEODE_GD_VERSION_STR);
|
|
|
|
req.param("geode", Loader::get()->getVersion().toString());
|
|
|
|
|
|
|
|
// Add search params
|
|
|
|
if (query.query) {
|
|
|
|
req.param("query", *query.query);
|
|
|
|
}
|
|
|
|
if (query.platforms.size()) {
|
|
|
|
std::string plats = "";
|
|
|
|
bool first = true;
|
|
|
|
for (auto plat : query.platforms) {
|
|
|
|
if (!first) plats += ",";
|
|
|
|
plats += PlatformID::toShortString(plat.m_value);
|
|
|
|
first = false;
|
|
|
|
}
|
|
|
|
req.param("platforms", plats);
|
|
|
|
}
|
|
|
|
if (query.tags.size()) {
|
|
|
|
req.param("tags", ranges::join(query.tags, ","));
|
|
|
|
}
|
|
|
|
if (query.featured) {
|
|
|
|
req.param("featured", query.featured.value() ? "true" : "false");
|
|
|
|
}
|
|
|
|
req.param("sort", sortToString(query.sorting));
|
|
|
|
if (query.developer) {
|
|
|
|
req.param("developer", *query.developer);
|
|
|
|
}
|
|
|
|
|
|
|
|
// Paging (1-based on server, 0-based locally)
|
|
|
|
req.param("page", std::to_string(query.page + 1));
|
|
|
|
req.param("per_page", std::to_string(query.pageSize));
|
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
return req.get(getServerAPIBaseURL() + "/mods").map(
|
2024-04-21 17:08:10 -04:00
|
|
|
[](web::WebResponse* response) -> Result<ServerModsList, ServerError> {
|
|
|
|
if (response->ok()) {
|
|
|
|
// Parse payload
|
|
|
|
auto payload = parseServerPayload(*response);
|
|
|
|
if (!payload) {
|
|
|
|
return Err(payload.unwrapErr());
|
|
|
|
}
|
|
|
|
// Parse response
|
|
|
|
auto list = ServerModsList::parse(payload.unwrap());
|
|
|
|
if (!list) {
|
|
|
|
return Err(ServerError(response->code(), "Unable to parse response: {}", list.unwrapErr()));
|
|
|
|
}
|
|
|
|
return Ok(list.unwrap());
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
// Treat a 404 as empty mods list
|
|
|
|
if (response->code() == 404) {
|
|
|
|
return Ok(ServerModsList());
|
2024-04-21 17:08:10 -04:00
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(parseServerError(*response));
|
2024-04-21 17:08:10 -04:00
|
|
|
},
|
|
|
|
[](web::WebProgress* progress) {
|
|
|
|
return parseServerProgress(*progress, "Downloading mods");
|
|
|
|
}
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
ServerRequest<ServerModMetadata> server::getMod(std::string const& id, bool useCache) {
|
|
|
|
if (useCache) {
|
|
|
|
return getCache<getMod>().get(id);
|
2024-02-26 15:14:53 -05:00
|
|
|
}
|
2024-02-26 17:55:33 -05:00
|
|
|
auto req = web::WebRequest();
|
2024-02-26 20:36:38 -05:00
|
|
|
req.userAgent(getServerUserAgent());
|
2024-04-22 06:35:12 -04:00
|
|
|
return req.get(getServerAPIBaseURL() + "/mods/" + id).map(
|
|
|
|
[](web::WebResponse* response) -> Result<ServerModMetadata, ServerError> {
|
|
|
|
if (response->ok()) {
|
2024-03-02 14:57:40 -05:00
|
|
|
// Parse payload
|
2024-04-22 06:35:12 -04:00
|
|
|
auto payload = parseServerPayload(*response);
|
2024-03-02 14:57:40 -05:00
|
|
|
if (!payload) {
|
2024-03-12 16:41:17 -04:00
|
|
|
return Err(payload.unwrapErr());
|
2024-03-02 14:57:40 -05:00
|
|
|
}
|
|
|
|
// Parse response
|
|
|
|
auto list = ServerModMetadata::parse(payload.unwrap());
|
|
|
|
if (!list) {
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(ServerError(response->code(), "Unable to parse response: {}", list.unwrapErr()));
|
2024-03-02 14:57:40 -05:00
|
|
|
}
|
2024-03-12 16:41:17 -04:00
|
|
|
return Ok(list.unwrap());
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(parseServerError(*response));
|
|
|
|
},
|
|
|
|
[id](web::WebProgress* progress) {
|
|
|
|
return parseServerProgress(*progress, "Downloading metadata for " + id);
|
|
|
|
}
|
|
|
|
);
|
2024-03-02 14:57:40 -05:00
|
|
|
}
|
2024-02-26 20:36:38 -05:00
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
ServerRequest<ByteVector> server::getModLogo(std::string const& id, bool useCache) {
|
|
|
|
if (useCache) {
|
|
|
|
return getCache<getModLogo>().get(id);
|
|
|
|
}
|
2024-03-02 14:57:40 -05:00
|
|
|
auto req = web::WebRequest();
|
|
|
|
req.userAgent(getServerUserAgent());
|
2024-04-22 06:35:12 -04:00
|
|
|
return req.get(getServerAPIBaseURL() + "/mods/" + id + "/logo").map(
|
|
|
|
[](web::WebResponse* response) -> Result<ByteVector, ServerError> {
|
|
|
|
if (response->ok()) {
|
|
|
|
return Ok(response->data());
|
|
|
|
}
|
|
|
|
return Err(parseServerError(*response));
|
|
|
|
},
|
|
|
|
[id](web::WebProgress* progress) {
|
|
|
|
return parseServerProgress(*progress, "Downloading logo for " + id);
|
|
|
|
}
|
|
|
|
);
|
2024-02-26 15:14:53 -05:00
|
|
|
}
|
2024-03-24 05:27:28 -04:00
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
ServerRequest<std::unordered_set<std::string>> server::getTags(bool useCache) {
|
|
|
|
if (useCache) {
|
|
|
|
return getCache<getTags>().get();
|
|
|
|
}
|
2024-03-24 05:27:28 -04:00
|
|
|
auto req = web::WebRequest();
|
|
|
|
req.userAgent(getServerUserAgent());
|
2024-04-22 06:35:12 -04:00
|
|
|
return req.get(getServerAPIBaseURL() + "/tags").map(
|
|
|
|
[](web::WebResponse* response) -> Result<std::unordered_set<std::string>, ServerError> {
|
|
|
|
if (response->ok()) {
|
2024-03-24 05:27:28 -04:00
|
|
|
// Parse payload
|
2024-04-22 06:35:12 -04:00
|
|
|
auto payload = parseServerPayload(*response);
|
2024-03-24 05:27:28 -04:00
|
|
|
if (!payload) {
|
|
|
|
return Err(payload.unwrapErr());
|
|
|
|
}
|
|
|
|
matjson::Value json = payload.unwrap();
|
|
|
|
if (!json.is_array()) {
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(ServerError(response->code(), "Expected a string array"));
|
2024-03-24 05:27:28 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
std::unordered_set<std::string> tags;
|
|
|
|
for (auto item : json.as_array()) {
|
|
|
|
if (!item.is_string()) {
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(ServerError(response->code(), "Expected a string array"));
|
2024-03-24 05:27:28 -04:00
|
|
|
}
|
|
|
|
tags.insert(item.as_string());
|
|
|
|
}
|
|
|
|
return Ok(tags);
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(parseServerError(*response));
|
|
|
|
},
|
|
|
|
[](web::WebProgress* progress) {
|
|
|
|
return parseServerProgress(*progress, "Downloading valid tags");
|
|
|
|
}
|
|
|
|
);
|
2024-03-24 05:27:28 -04:00
|
|
|
}
|
2024-03-26 16:18:34 -04:00
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
ServerRequest<std::vector<ServerModUpdate>> server::checkUpdates(std::vector<std::string> const& modIDs, bool useCache) {
|
|
|
|
if (useCache) {
|
|
|
|
return getCache<checkUpdates>().get(modIDs);
|
|
|
|
}
|
2024-03-26 16:18:34 -04:00
|
|
|
auto req = web::WebRequest();
|
|
|
|
req.userAgent(getServerUserAgent());
|
|
|
|
req.param("platform", GEODE_PLATFORM_SHORT_IDENTIFIER);
|
|
|
|
if (modIDs.size()) {
|
|
|
|
req.param("ids", ranges::join(modIDs, ";"));
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
return req.get(getServerAPIBaseURL() + "/mods/updates").map(
|
|
|
|
[](web::WebResponse* response) -> Result<std::vector<ServerModUpdate>, ServerError> {
|
|
|
|
if (response->ok()) {
|
2024-03-26 16:18:34 -04:00
|
|
|
// Parse payload
|
2024-04-22 06:35:12 -04:00
|
|
|
auto payload = parseServerPayload(*response);
|
2024-03-26 16:18:34 -04:00
|
|
|
if (!payload) {
|
|
|
|
return Err(payload.unwrapErr());
|
|
|
|
}
|
|
|
|
// Parse response
|
|
|
|
auto list = ServerModUpdate::parseList(payload.unwrap());
|
|
|
|
if (!list) {
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(ServerError(response->code(), "Unable to parse response: {}", list.unwrapErr()));
|
2024-03-26 16:18:34 -04:00
|
|
|
}
|
|
|
|
return Ok(list.unwrap());
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
return Err(parseServerError(*response));
|
|
|
|
},
|
|
|
|
[](web::WebProgress* progress) {
|
|
|
|
return parseServerProgress(*progress, "Checking updates for mods");
|
|
|
|
}
|
|
|
|
);
|
2024-03-26 16:18:34 -04:00
|
|
|
}
|
2024-04-21 17:08:10 -04:00
|
|
|
|
2024-04-22 06:35:12 -04:00
|
|
|
void server::clearServerCaches(bool clearGlobalCaches) {
|
|
|
|
getCache<&getMods>().clear();
|
|
|
|
getCache<&getMod>().clear();
|
|
|
|
getCache<&getModLogo>().clear();
|
2024-04-21 17:08:10 -04:00
|
|
|
|
|
|
|
// Only clear global caches if explicitly requested
|
|
|
|
if (clearGlobalCaches) {
|
2024-04-22 06:35:12 -04:00
|
|
|
getCache<&getTags>().clear();
|
|
|
|
getCache<&checkUpdates>().clear();
|
2024-04-21 17:08:10 -04:00
|
|
|
}
|
|
|
|
}
|
2024-04-22 06:35:12 -04:00
|
|
|
|
|
|
|
$execute {
|
|
|
|
listenForSettingChanges<int64_t>("server-cache-size-limit", +[](int64_t size) {
|
|
|
|
getCache<&server::getMods>().limit(size);
|
|
|
|
getCache<&server::getMod>().limit(size);
|
|
|
|
getCache<&server::getModLogo>().limit(size);
|
|
|
|
getCache<&server::getTags>().limit(size);
|
|
|
|
getCache<&server::checkUpdates>().limit(size);
|
|
|
|
});
|
|
|
|
}
|