114 lines
3.1 KiB
C++
114 lines
3.1 KiB
C++
// Copyright (c) 2022 Dominic Masters
|
|
//
|
|
// This software is released under the MIT License.
|
|
// https://opensource.org/licenses/MIT
|
|
|
|
#pragma once
|
|
#include "Asset.hpp"
|
|
#include "util/array.hpp"
|
|
|
|
namespace Dawn {
|
|
class AssetManager {
|
|
private:
|
|
/** List of pointers to assets, mapped by their asset key. */
|
|
std::map<std::string, Asset*> assets;
|
|
std::vector<Asset*> assetsToLoad;
|
|
std::vector<Asset*> assetsToUnload;
|
|
|
|
public:
|
|
/**
|
|
* Initializes this asset manager so it can begin accepting assets.
|
|
*/
|
|
void init();
|
|
|
|
/**
|
|
* Updates the asset manager.
|
|
*/
|
|
void update();
|
|
|
|
/**
|
|
* Queue a loading of a list of assets. Does not actually begin loading.
|
|
*
|
|
* @param assets Assets to load.
|
|
*/
|
|
void queueLoad(std::vector<Asset*> assets);
|
|
void queueLoad(Asset *assets);
|
|
|
|
/**
|
|
* Takes a list of lists to queue to unload. Does not immediately unload.
|
|
*
|
|
* @param assets Assets to unload.
|
|
*/
|
|
void queueUnload(std::vector<Asset*> assets);
|
|
void queueUnload(Asset* assets);
|
|
|
|
/**
|
|
* Queues load and unload based on the difference between two sets of
|
|
* assets. This is mostly used to perform a scene change.
|
|
*
|
|
* @param newAssets New list of assets to maintain.
|
|
* @param oldAssets Old list of assets to no longer maintain.
|
|
*/
|
|
void queueSwap(
|
|
std::vector<Asset*> newAssets,
|
|
std::vector<Asset*> oldAssets
|
|
);
|
|
|
|
/**
|
|
* Ticks the asset manager, synchronously.
|
|
*/
|
|
void syncTick();
|
|
|
|
/**
|
|
* Loads everything that isn't loaded, blocks the current thread until
|
|
* that has finished.
|
|
*/
|
|
void syncLoad();
|
|
|
|
/**
|
|
* Creates and queue an asset to load.
|
|
*
|
|
* @param name Name of the asset to load.
|
|
* @return The asset element to be loaded.
|
|
*/
|
|
template<class T>
|
|
T * get(std::string name) {
|
|
assertTrue(name.size() > 0, "AssetManager::get: name must be greater than 0");
|
|
|
|
auto existing = this->assets.find(name);
|
|
if(existing != this->assets.end()) {
|
|
return (T*)existing->second;
|
|
}
|
|
auto asset = new T(this, name);
|
|
this->assets[name] = asset;
|
|
return asset;
|
|
}
|
|
|
|
/**
|
|
* Both gets an asset, and puts it into the load queue.
|
|
*
|
|
* @param name Name of the asset to load.
|
|
* @return The asset element to be loaded.
|
|
*/
|
|
template<class T>
|
|
T * getAndLoad(std::string name) {
|
|
auto asset = this->get<T>(name);
|
|
this->queueLoad(asset);
|
|
return asset;
|
|
}
|
|
|
|
template<class T>
|
|
void unload(T *asset) {
|
|
assertUnreachable("AssetManager::unload: NOT IMPLEMENTED");
|
|
}
|
|
|
|
void unload(std::string name) {
|
|
assertUnreachable("AssetManager::unload: NOT IMPLEMENTED");
|
|
}
|
|
|
|
/**
|
|
* Dispose the asset manager, and all attached assets.
|
|
*/
|
|
~AssetManager();
|
|
};
|
|
} |