aboutsummaryrefslogtreecommitdiff
path: root/mwe/ecs-homemade/inc/ComponentManager.hpp
blob: df8ea32d75970a94ffa7f3cdf34223fe2bd4cecb (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
// AddComponent implementation
template <typename T>
void ComponentManager::AddComponent(T* component, std::uint32_t id) {
    std::type_index type = typeid(T);
    if (mComponents.find(type) == mComponents.end()) {
        mComponents[type] = std::vector<Component*>();
    }
    // Resize the vector if the id is greater than current size
    if (id >= mComponents[type].size()) {
        mComponents[type].resize(id + 1, nullptr); // Initialize new slots to nullptr
    }
    mComponents[type][id] = component; // Store the raw pointer
}

// GetComponent implementation
template <typename T>
T* ComponentManager::GetComponent(std::uint32_t id) {
    std::type_index type = typeid(T);
    if (mComponents.find(type) != mComponents.end()) {
        auto& componentArray = mComponents[type];
        if (id < componentArray.size()) {
            return static_cast<T*>(componentArray[id]); // Cast to the correct type
        }
    }
    return nullptr; // Return nullptr if not found
}

// GetAllComponentIDs implementation
template <typename T>
std::vector<std::uint32_t> ComponentManager::GetAllComponentIDs() {
    std::type_index type = typeid(T);
    std::vector<std::uint32_t> ids;
    if (mComponents.find(type) != mComponents.end()) {
        const auto& componentArray = mComponents[type];
        for (std::uint32_t id = 0; id < componentArray.size(); ++id) {
            if (componentArray[id] != nullptr) {
                ids.push_back(id); // Collect IDs of non-null components
            }
        }
    }
    return ids;
}

// GetAllComponentPointer implementation
template <typename T>
std::vector<T*> ComponentManager::GetAllComponentPointer() {
    std::type_index type = typeid(T);
    std::vector<T*> pointers;
    if (mComponents.find(type) != mComponents.end()) {
        const auto& componentArray = mComponents[type];
        for (const auto& component : componentArray) {
            if (component != nullptr) {
                pointers.push_back(static_cast<T*>(component)); // Cast to the correct type
            }
        }
    }
    return pointers;
}