Switching SceneItems to smarts

This commit is contained in:
2023-11-12 23:02:11 -06:00
parent e540efb726
commit ba185e9fe4
124 changed files with 185 additions and 775 deletions

View File

@ -12,7 +12,6 @@ target_sources(${DAWN_TARGET_NAME}
) )
# Subdirs # Subdirs
add_subdirectory(animation)
add_subdirectory(font) add_subdirectory(font)
add_subdirectory(mesh) add_subdirectory(mesh)
add_subdirectory(shader) add_subdirectory(shader)

View File

@ -105,7 +105,7 @@ void RenderPipeline::renderSceneCamera(std::shared_ptr<Scene> scene, std::shared
// Update shader parameter buffers with current knowledge // Update shader parameter buffers with current knowledge
struct RenderPipelineShaderBufferData shaderBufferData; struct RenderPipelineShaderBufferData shaderBufferData;
shaderBufferData.projection = camera->getProjection(); shaderBufferData.projection = camera->getProjection();
shaderBufferData.view = camera->item->getWorldTransform(); shaderBufferData.view = camera->item.lock()->getWorldTransform();
shaderBuffer.buffer(&shaderBufferData); shaderBuffer.buffer(&shaderBufferData);
// Prepare a render context. This is just a nice way of letting renderables // Prepare a render context. This is just a nice way of letting renderables
@ -128,30 +128,6 @@ void RenderPipeline::renderSceneCamera(std::shared_ptr<Scene> scene, std::shared
++itRenderables; ++itRenderables;
} }
// Debug Lines
#if DAWN_DEBUG_BUILD
Mesh lineMesh;
if(scene->debugLines.size() > 0) {
int32_t lineIndex = 0;
lineMesh.createBuffers(
scene->debugLines.size() * SCENE_DEBUG_LINE_VERTICE_COUNT,
scene->debugLines.size() * SCENE_DEBUG_LINE_INDICE_COUNT
);
auto itDebugLine = scene->debugLines.begin();
while(itDebugLine != scene->debugLines.end()) {
auto item = itDebugLine->createShaderItem(
&lineMesh,
&lineIndex,
camera,
renderManager->simpleTexturedShader
);
shaderPassItems.push_back(item);
itDebugLine = scene->debugLines.erase(itDebugLine);
lineIndex++;
}
}
#endif
// Inject index into each item // Inject index into each item
itPassItem = shaderPassItems.begin(); itPassItem = shaderPassItems.begin();
while(itPassItem != shaderPassItems.end()) { while(itPassItem != shaderPassItems.end()) {

View File

@ -1,17 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#include "Animation.hpp"
using namespace Dawn;
void Animation::restart() {
this->time = 0;
this->finished = false;
}
void Animation::clear() {
this->duration = 0;
}

View File

@ -1,38 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "state/StateEvent.hpp"
namespace Dawn {
struct Animation {
public:
bool_t loop = false;
bool_t finished = false;
float_t time = 0;
float_t duration = 0;
StateEvent<> eventAnimationEnd;
/**
* Ticks the animation along. Delta is whatever you want to update the
* animation by (in seconds). Animations can overshoot if necessary and
* will not be clamped (by default). Subclasses may interpret ticks in
* different ways.
*
* @param delta Time delta (in seconds) to tick the animaiton by.
*/
virtual void tick(const float_t delta) = 0;
/**
* Restart a running animation.
*/
virtual void restart();
/**
* Clears an animaton of all its animation items and keyframes.
*/
virtual void clear();
};
}

View File

@ -1,12 +0,0 @@
# Copyright (c) 2022 Dominic Masters
#
# This software is released under the MIT License.
# https://opensource.org/licenses/MIT
# Sources
target_sources(${DAWN_TARGET_NAME}
PRIVATE
Animation.cpp
TiledSpriteAnimation.cpp
easing.cpp
)

View File

@ -1,207 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "Animation.hpp"
#include "easing.hpp"
#include "util/mathutils.hpp"
namespace Dawn {
template<typename T>
struct SimpleKeyframe {
float_t time;
T value;
};
template<typename T>
struct SimpleAnimation : public Animation {
protected:
/**
* Function for subclasses to be "notified" when the value has been
* modified.
*/
virtual void onValueModified() {
}
/**
* Sorts internal keyframes by their time to make them conform correctly.
*/
void sortKeyframes() {
std::sort(
this->keyframes.begin(),
this->keyframes.end(),
[](struct SimpleKeyframe<T> &a, struct SimpleKeyframe<T> &b) {
return a.time < b.time;
}
);
}
public:
easefunction_t *easing = &easeLinear;
T *modifies;
std::vector<struct SimpleKeyframe<T>> keyframes;
/**
* Constructs a new Simple Animation instance.
*
* @param modifies Pointer to the value that will be modified.
*/
SimpleAnimation(T *modifies) {
assertNotNull(modifies, "SimpleAnimation::SimpleAnimation: Modifies cannot be null");
this->modifies = modifies;
}
/**
* Adds a keyframe that will be slerped to at a given time.
*
* @param time Time the keyframe occurs.
* @param value Value at this given time.
*/
void addKeyframe(float_t time, T value) {
assertTrue(time >= 0, "SimpleAnimation::addKeyframe: Time must be >= 0");
struct SimpleKeyframe<T> keyframe;
keyframe.time = time;
keyframe.value = value;
this->duration = mathMax<float_t>(this->duration, time);
this->finished = false;
this->keyframes.push_back(keyframe);
if(time < this->duration) this->sortKeyframes();
}
/**
* Quickly add a series of keyframes. For example, if you want to have a
* keyframe series of;
* [ 1, 3, 5, 7, 9 ]
*
* And occur at times
* [ 0, 2, 4, 6, 8 ]
*
* You would pass frameTime as 2, and step as 2.
*
* @param startTime When the first keyframe occurs.
* @param frameTime At what rate do keyframes occur.
* @param start Initial value (the value at startTime).
* @param end The end value (for the last keyframe).
* @param step How to step the value.
*/
void addSequentialKeyframes(
float_t startTime,
float_t frameTime,
T start,
T end,
T step
) {
T v = start;
float_t n = startTime;
while(v != end) {
this->addKeyframe(n, v);
n += frameTime;
v += step;
}
}
/**
* Shorthand addSequentialKeyframes, assumes a step of 1 and a startTime
* of 0.
*
* @param frameTime Time between frames.
* @param start Initial value.
* @param end End value.
*/
void addSequentialKeyframes(float_t frameTime, T start, T end) {
this->addSequentialKeyframes(0, frameTime, start, end, 1);
}
/**
* Immediately sets the value, bypassing keyframes and ticks. Useful for
* setting an initial value.
*
* @param value Value to set.
*/
void setValue(T value) {
*modifies = value;
this->onValueModified();
}
void tick(float_t delta) override {
if(this->finished) return;
float_t newTime = this->time + delta;
struct SimpleKeyframe<T> *keyframeNext = nullptr;
struct SimpleKeyframe<T> *keyframeCurrent = nullptr;
// Find current and next keyframe(s)
auto itKey = this->keyframes.begin();
while(itKey != this->keyframes.end()) {
if(itKey->time > newTime) {
keyframeNext = &(*itKey);
break;
}
keyframeCurrent = &(*itKey);
++itKey;
}
// Update values
if(keyframeCurrent != nullptr && keyframeNext == nullptr) {
// "End of animation"
*this->modifies = keyframeCurrent->value;
this->onValueModified();
} else if(keyframeNext != nullptr) {
T oldValue;
float_t oldTime;
if(keyframeCurrent == nullptr) {
// "Start of animation"
oldValue = keyframeCurrent->value;
oldTime = keyframeCurrent->time;
} else {
// "Mid animation"
oldTime = this->time;
oldValue = *this->modifies;
}
// Slerp between keyframes
float_t keyframeDelta = this->easing(
(newTime - oldTime) / (keyframeNext->time - oldTime)
);
*this->modifies = oldValue + (
(keyframeNext->value - oldValue) * keyframeDelta
);
this->onValueModified();
}
// First possible frame? I think this can be done cleaner
if(this->time == 0 && keyframeCurrent->time == 0) {
*this->modifies = keyframeCurrent->value;
this->onValueModified();
}
// Update time.
this->time = newTime;
// Has the animation finished?
if(newTime < this->duration) return;
// Do we need to loop?
if(this->loop) {
this->time = 0;
return;
}
// Animation end.
this->finished = true;
this->eventAnimationEnd.invoke();
}
void clear() override {
Animation::clear();
this->keyframes.clear();
}
};
}

View File

@ -1,51 +0,0 @@
// Copyright (c) 2023 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "SimpleAnimation.hpp"
namespace Dawn {
template<typename T, class I>
struct SimpleCallbackAnimation : public SimpleAnimation<T> {
protected:
I *instance;
void (I::*callback)(T arg);
T value;
/**
* Internally invoke the function that this animation is owning.
*/
void invoke() {
assertNotNull(this->instance);
((*this->instance).*(this->callback))(this->value);
}
void onValueModified() override {
SimpleAnimation<T>::onValueModified();
this->invoke();
}
public:
/**
* Construct a new Simple Function Animation object
*/
SimpleCallbackAnimation() :
SimpleAnimation<T>(&value)
{
}
/**
* Sets the callback for the animation to use.
*
* @param instance Instance of the object that has the callback.
* @param callback Callback method to be invoked.
*/
void setCallback(I *instance, void (I::*callback)(T arg)) {
assertNotNull(instance);
this->instance = instance;
this->callback = callback;
}
};
}

View File

@ -1,31 +0,0 @@
// Copyright (c) 2023 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "SimpleAnimation.hpp"
namespace Dawn {
template<typename T>
struct SimplerCallbackAnimation : public SimpleAnimation<T> {
protected:
T value;
void onValueModified() override {
SimpleAnimation<T>::onValueModified();
this->callback(this->value);
}
public:
std::function<void(T)> callback = std::function<void(T)>();
/**
* Construct a new Simple Function Animation object
*/
SimplerCallbackAnimation() :
SimpleAnimation<T>(&value)
{
}
};
}

View File

@ -1,19 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#include "TiledSpriteAnimation.hpp"
using namespace Dawn;
TiledSpriteAnimation::TiledSpriteAnimation(TiledSprite *sprite) :
SimpleAnimation(&frame),
sprite(sprite)
{
}
void TiledSpriteAnimation::tick(const float_t delta) {
SimpleAnimation::tick(delta);
this->sprite->tile = frame;
}

View File

@ -1,25 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "SimpleAnimation.hpp"
#include "scene/components/display/TiledSprite.hpp"
namespace Dawn {
struct TiledSpriteAnimation : public SimpleAnimation<int32_t> {
public:
int32_t frame = 0;
TiledSprite *sprite = nullptr;
/**
* Construct a new Tiled Sprite Animation.
*
* @param sprite Sprite that this animation will control.
*/
TiledSpriteAnimation(TiledSprite *sprite);
void tick(const float_t delta) override;
};
}

View File

@ -1,66 +0,0 @@
// Copyright (c) 2023 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#include "easing.hpp"
float_t easeTimeToEase(
const float_t start,
const float_t current,
const float_t duration
) {
return (current - start) / duration;
}
float_t easeLinear(const float_t t) {
return t;
}
float_t easeInQuad(const float_t t) {
return t * t;
}
float_t easeOutQuad(const float_t t) {
return t * (2 - t);
}
float_t easeOutCubic(const float_t t) {
return 1 - powf(1 - t, 3);
}
float_t easeInOutQuad(const float_t t) {
return t < .5 ? 2 * t * t : -1 + (4 - 2 * t) * t;
}
float_t easeInCubic(const float_t t) {
return t * t * t;
}
float_t easeInOutCubic(const float_t t) {
return t < .5 ? 4 * t * t * t : (t - 1) * (2 * t - 2) * (2 * t - 2) + 1;
}
float_t easeInQuart(const float_t t) {
return t * t * t * t;
}
float_t easeOutQuart(const float_t t) {
return 1 - (t-1)*(t-1)*(t-1)*(t-1);
}
float_t easeInOutQuart(const float_t t) {
return t < .5 ? 8*t*t*t*t : 1-8*(t-1)*(t-1)*(t-1)*(t-1);
}
float_t easeInQuint(const float_t t) {
return t*t*t*t*t;
}
float_t easeOutQuint(const float_t t) {
return 1 + (t-1)*(t-1)*(t-1)*(t-1)*(t-1);
}
float_t easeInOutQuint(const float_t t) {
return t<.5 ? 16*t*t*t*t*t : 1+16*(t-1)*(t-1)*(t-1)*(t-1)*(t-1);
}

View File

@ -1,37 +0,0 @@
/**
* Copyright (c) 2021 Dominic Masters
*
* This software is released under the MIT License.
* https://opensource.org/licenses/MIT
*/
#pragma once
#include "dawnlibs.hpp"
typedef float_t easefunction_t(const float_t t);
/**
* Returns the ease time for a given real time duration span.
* @param start At what point in time the animation started
* @param current The current point in time the animation is at.
* @param duration The total duration on the animation.
* @returns The easing time (0-1 time) that the animation is at.
*/
float_t easeTimeToEase(
const float_t start,
const float_t current,
const float_t duration
);
float_t easeLinear(const float_t t);
float_t easeInQuad(const float_t t);
float_t easeOutQuad(const float_t t);
float_t easeOutCubic(const float_t t);
float_t easeInOutQuad(const float_t t);
float_t easeInCubic(const float_t t);
float_t easeInOutCubic(const float_t t);
float_t easeInQuart(const float_t t);
float_t easeOutQuart(const float_t t);
float_t easeInOutQuart(const float_t t);
float_t easeInQuint(const float_t t);
float_t easeOutQuint(const float_t t);
float_t easeInOutQuint(const float_t t);

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
PokerGame::PokerGame(SceneItem *item) : SceneItemComponent(item) { PokerGame::PokerGame(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }

View File

@ -33,7 +33,7 @@ namespace Dawn {
std::vector<struct PokerPot> pots; std::vector<struct PokerPot> pots;
uint8_t betterIndex; uint8_t betterIndex;
PokerGame(SceneItem *item); PokerGame(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
PokerPlayer::PokerPlayer(SceneItem *item) : SceneItemComponent(item) { PokerPlayer::PokerPlayer(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }

View File

@ -43,7 +43,7 @@ namespace Dawn {
* *
* @param item Item that this poker player belongs to. * @param item Item that this poker player belongs to.
*/ */
PokerPlayer(SceneItem *item); PokerPlayer(std::weak_ptr<SceneItem> item);
/** Override for scene item component event for init */ /** Override for scene item component event for init */
void onStart() override; void onStart() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
VNManager::VNManager(SceneItem *item) : VNManager::VNManager(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
defaultFont("<font font=\"font_main\">{{ text }}</font>") defaultFont("<font font=\"font_main\">{{ text }}</font>")
{ {

View File

@ -31,7 +31,7 @@ namespace Dawn {
* *
* @param item Item that the VN manager belongs to. * @param item Item that the VN manager belongs to.
*/ */
VNManager(SceneItem *item); VNManager(std::weak_ptr<SceneItem> item);
/** /**
* Creats an event for you to decide how to queue. * Creats an event for you to decide how to queue.

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
VNTextboxScroller::VNTextboxScroller(SceneItem *item) : VNTextboxScroller::VNTextboxScroller(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
label(nullptr), label(nullptr),
visibleLines(4) visibleLines(4)

View File

@ -28,7 +28,7 @@ namespace Dawn {
size_t lineCurrent = 0; size_t lineCurrent = 0;
float_t timeCharacter = 0.0f; float_t timeCharacter = 0.0f;
VNTextboxScroller(SceneItem *item); VNTextboxScroller(std::weak_ptr<SceneItem> item);
virtual void onStart() override; virtual void onStart() override;
/** /**

View File

@ -11,7 +11,7 @@
namespace Dawn { namespace Dawn {
class VNPositionEvent : public VNAnimateEvent<glm::vec3> { class VNPositionEvent : public VNAnimateEvent<glm::vec3> {
public: public:
SceneItem *item = nullptr; std::weak_ptr<SceneItem> item = nullptr;
VNPositionEvent() { VNPositionEvent() {
from = glm::vec3( from = glm::vec3(

View File

@ -30,7 +30,7 @@ namespace Dawn {
* @param context Custom context that this prefab needs to initialize. * @param context Custom context that this prefab needs to initialize.
* @return The instance of the created prefab. * @return The instance of the created prefab.
*/ */
static O * create(J *context) { static std::shared_ptr<O> create(J *context) {
assertNotNull(context, "Prefab::create: Context cannot be null"); assertNotNull(context, "Prefab::create: Context cannot be null");
return P::prefabCreate(context); return P::prefabCreate(context);
} }

View File

@ -20,8 +20,8 @@ namespace Dawn {
* @param scene Scene that this prefab is going to be added to. * @param scene Scene that this prefab is going to be added to.
* @return The created prefab instance. * @return The created prefab instance.
*/ */
static O * prefabCreate(Scene *scene) { static std::shared_ptr<O> prefabCreate(Scene *scene) {
O *item = scene->createSceneItemOfType<O>(); std::shared_ptr<O> item = scene->createSceneItemOfType<O>();
auto game = scene->game.lock(); auto game = scene->game.lock();
assertNotNull(game, "Game cannot be null!"); assertNotNull(game, "Game cannot be null!");
item->prefabInit(&game->assetManager); item->prefabInit(&game->assetManager);

View File

@ -34,30 +34,17 @@ void Scene::update() {
if(!game->timeManager.isPaused) this->eventSceneUnpausedUpdate.invoke(game->timeManager.delta); if(!game->timeManager.isPaused) this->eventSceneUnpausedUpdate.invoke(game->timeManager.delta);
} }
SceneItem * Scene::createSceneItem() { std::shared_ptr<SceneItem> Scene::createSceneItem() {
return this->createSceneItemOfType<SceneItem>(); return this->createSceneItemOfType<SceneItem>();
} }
Scene::~Scene() { Scene::~Scene() {
delete this->physics; delete this->physics;
// Early cleanup without disposing. // Invoke cleanup.
auto it = this->items.begin(); auto it = this->items.begin();
while(it != this->items.end()) { while(it != this->items.end()) {
it->second->destroy(); it->second->destroy();
++it; ++it;
} }
// Now dispose everything.
it = this->items.begin();
while(it != this->items.end()) {
delete it->second;
++it;
}
auto it2 = this->itemsNotInitialized.begin();
while(it2 != this->itemsNotInitialized.end()) {
delete it2->second;
++it2;
}
} }

View File

@ -20,16 +20,18 @@ namespace Dawn {
typedef int32_t sceneitemid_t; typedef int32_t sceneitemid_t;
template<class T> template<class T>
std::shared_ptr<T> _sceneForwardGetComponent(SceneItem *item); std::shared_ptr<T> _sceneForwardGetComponent(std::shared_ptr<SceneItem> item);
template<class T> template<class T>
std::vector<std::shared_ptr<T>> _sceneForwardGetComponents(SceneItem *item); std::vector<std::shared_ptr<T>> _sceneForwardGetComponents(
std::shared_ptr<SceneItem> item
);
class Scene : public StateOwner, public std::enable_shared_from_this<Scene> { class Scene : public StateOwner, public std::enable_shared_from_this<Scene> {
private: private:
sceneitemid_t nextId; sceneitemid_t nextId;
std::map<sceneitemid_t, SceneItem*> items; std::map<sceneitemid_t, std::shared_ptr<SceneItem>> items;
std::map<sceneitemid_t, SceneItem*> itemsNotInitialized; std::map<sceneitemid_t, std::shared_ptr<SceneItem>> itemsNotInitialized;
public: public:
std::weak_ptr<DawnGame> game; std::weak_ptr<DawnGame> game;
@ -56,10 +58,10 @@ namespace Dawn {
* @return A shared pointer to the created SceneItem. * @return A shared pointer to the created SceneItem.
*/ */
template<class T> template<class T>
T * createSceneItemOfType() { std::shared_ptr<T> createSceneItemOfType() {
sceneitemid_t id = this->nextId++; sceneitemid_t id = this->nextId++;
auto item = new T(weak_from_this(), id); auto item = std::make_shared<T>(weak_from_this(), id);
assertNotNull(item, "Scene::createSceneItemOfType: Failed to create SceneItem (Memory Filled?)"); assertNotNull(item, "Failed to create SceneItem (Memory Filled?)");
this->itemsNotInitialized[id] = item; this->itemsNotInitialized[id] = item;
return item; return item;
} }
@ -69,7 +71,7 @@ namespace Dawn {
* *
* @return A shared pointer to the created SceneItem. * @return A shared pointer to the created SceneItem.
*/ */
SceneItem * createSceneItem(); std::shared_ptr<SceneItem> createSceneItem();
/** /**
* Returns the required assets for this scene. Assets required are meant * Returns the required assets for this scene. Assets required are meant

View File

@ -79,7 +79,7 @@ namespace Dawn {
*/ */
template<class T> template<class T>
std::shared_ptr<T> addComponent() { std::shared_ptr<T> addComponent() {
auto component = std::make_shared<T>(this); auto component = std::make_shared<T>(weak_from_this());
this->components.push_back(component); this->components.push_back(component);
return component; return component;
} }

View File

@ -10,8 +10,7 @@
using namespace Dawn; using namespace Dawn;
SceneItemComponent::SceneItemComponent(SceneItem *item) { SceneItemComponent::SceneItemComponent(std::weak_ptr<SceneItem> item) {
assertNotNull(item, "SceneItemComponent::SceneItemComponent: Item cannot be null");
this->item = item; this->item = item;
} }
@ -25,7 +24,7 @@ std::vector<std::shared_ptr<SceneItemComponent>> SceneItemComponent::getDependen
} }
std::shared_ptr<Scene> SceneItemComponent::getScene() { std::shared_ptr<Scene> SceneItemComponent::getScene() {
auto scene = this->item->scene.lock(); auto scene = this->item.lock()->scene.lock();
assertNotNull(scene, "Scene cannot be null!"); assertNotNull(scene, "Scene cannot be null!");
return scene; return scene;
} }

View File

@ -13,7 +13,7 @@ namespace Dawn {
class SceneItemComponent : public StateOwner { class SceneItemComponent : public StateOwner {
public: public:
SceneItem *item; std::weak_ptr<SceneItem> item;
bool_t hasInitialized = false; bool_t hasInitialized = false;
/** /**
@ -23,7 +23,7 @@ namespace Dawn {
* *
* @param item Scene Item thsi component belongs to. * @param item Scene Item thsi component belongs to.
*/ */
SceneItemComponent(SceneItem *item); SceneItemComponent(std::weak_ptr<SceneItem> item);
/** /**
* Requested on the first frame that the parent scene item has become * Requested on the first frame that the parent scene item has become
@ -78,12 +78,16 @@ namespace Dawn {
}; };
template<class T> template<class T>
std::shared_ptr<T> _sceneForwardGetComponent(SceneItem *item) { std::shared_ptr<T> _sceneForwardGetComponent(
std::shared_ptr<SceneItem> item
) {
return item->getComponent<T>(); return item->getComponent<T>();
} }
template<class T> template<class T>
std::shared_ptr<T> _sceneForwardGetComponents(SceneItem *item) { std::shared_ptr<T> _sceneForwardGetComponents(
std::shared_ptr<SceneItem> item
) {
return item->getComponents<T>(); return item->getComponents<T>();
} }
} }

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
FPSLabelComponent::FPSLabelComponent(SceneItem *item) : FPSLabelComponent::FPSLabelComponent(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item) SceneItemComponent(item)
{ {

View File

@ -12,7 +12,7 @@ namespace Dawn {
/* @optional */ /* @optional */
UILabel *label = nullptr; UILabel *label = nullptr;
FPSLabelComponent(SceneItem *item); FPSLabelComponent(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -1,32 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#include "AnimationController.hpp"
#include "game/DawnGame.hpp"
using namespace Dawn;
AnimationController::AnimationController(SceneItem *item) :
SceneItemComponent(item)
{
}
void AnimationController::addAnimation(Animation *animation) {
assertNotNull(animation, "AnimationController::addAnimation: Animation cannot be null");
this->animations.push_back(animation);
}
void AnimationController::onStart() {
SceneItemComponent::onStart();
useEvent([&](float_t delta){
auto it = this->animations.begin();
while(it != this->animations.end()) {
(*it)->tick(delta);
++it;
}
}, getScene()->eventSceneUnpausedUpdate);
}

View File

@ -1,27 +0,0 @@
// Copyright (c) 2022 Dominic Masters
//
// This software is released under the MIT License.
// https://opensource.org/licenses/MIT
#pragma once
#include "scene/SceneItemComponent.hpp"
#include "display/animation/Animation.hpp"
namespace Dawn {
class AnimationController : public SceneItemComponent {
private:
std::vector<Animation*> animations;
public:
AnimationController(SceneItem *item);
/**
* Add an animation to this controller.
*
* @param animation Pointer to the animation to add.
*/
void addAnimation(Animation *animation);
void onStart() override;
};
}

View File

@ -6,7 +6,6 @@
# Sources # Sources
target_sources(${DAWN_TARGET_NAME} target_sources(${DAWN_TARGET_NAME}
PRIVATE PRIVATE
AnimationController.cpp
Camera.cpp Camera.cpp
Material.cpp Material.cpp
PixelPerfectCamera.cpp PixelPerfectCamera.cpp

View File

@ -8,9 +8,9 @@
using namespace Dawn; using namespace Dawn;
Camera::Camera(SceneItem *item) : Camera::Camera(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
renderTarget(item->scene.lock()->game.lock()->renderManager->getBackBuffer()), renderTarget(this->getGame()->renderManager->getBackBuffer()),
fov(0.785398f),// 45 degrees, fov(0.785398f),// 45 degrees,
type(CAMERA_TYPE_PERSPECTIVE), type(CAMERA_TYPE_PERSPECTIVE),
orthoLeft(-0.5f), orthoLeft(-0.5f),
@ -66,7 +66,7 @@ glm::vec3 Camera::getRayDirectionFromScreenSpace(glm::vec2 screenSpace) {
glm::vec4 eyeCoords = inverseProjectionMatrix * clipCoords; glm::vec4 eyeCoords = inverseProjectionMatrix * clipCoords;
eyeCoords = glm::vec4(eyeCoords.x, eyeCoords.y, -1.0f, 0.0f); eyeCoords = glm::vec4(eyeCoords.x, eyeCoords.y, -1.0f, 0.0f);
glm::mat4 inverseViewMatrix = glm::inverse(item->getWorldTransform()); glm::mat4 inverseViewMatrix = glm::inverse(item.lock()->getWorldTransform());
glm::vec4 t = inverseViewMatrix * eyeCoords; glm::vec4 t = inverseViewMatrix * eyeCoords;
return glm::normalize(glm::vec3(t.x, t.y, t.z)); return glm::normalize(glm::vec3(t.x, t.y, t.z));

View File

@ -55,7 +55,7 @@ namespace Dawn {
* *
* @param item SceneItem that this component belongs to. * @param item SceneItem that this component belongs to.
*/ */
Camera(SceneItem *item); Camera(std::weak_ptr<SceneItem> item);
/** /**
* Returns the current projection matrix. * Returns the current projection matrix.

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CameraTexture::CameraTexture(SceneItem *item) : CameraTexture::CameraTexture(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
camera(nullptr) camera(nullptr)
{ {
@ -15,7 +15,7 @@ CameraTexture::CameraTexture(SceneItem *item) :
} }
void CameraTexture::onStart() { void CameraTexture::onStart() {
if(this->camera == nullptr) this->camera = item->getComponent<Camera>(); if(this->camera == nullptr) this->camera = item.lock()->getComponent<Camera>();
useEffect([&]{ useEffect([&]{
if(this->camera == nullptr) return; if(this->camera == nullptr) return;

View File

@ -14,7 +14,7 @@ namespace Dawn {
StateProperty<std::shared_ptr<Camera>> camera; StateProperty<std::shared_ptr<Camera>> camera;
std::shared_ptr<TextureRenderTarget> renderTarget; std::shared_ptr<TextureRenderTarget> renderTarget;
CameraTexture(SceneItem *item); CameraTexture(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
Material::Material(SceneItem *item) : SceneItemComponent(item) { Material::Material(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }
ShaderManager & Material::getShaderManager() { ShaderManager & Material::getShaderManager() {

View File

@ -16,7 +16,7 @@ namespace Dawn {
* *
* @param item Scene Item this component belongs to. * @param item Scene Item this component belongs to.
*/ */
Material(SceneItem *item); Material(std::weak_ptr<SceneItem> item);
/** /**
* Returns the shader manager for the game. * Returns the shader manager for the game.

View File

@ -8,8 +8,8 @@
using namespace Dawn; using namespace Dawn;
PixelPerfectCamera::PixelPerfectCamera(SceneItem *i) : PixelPerfectCamera::PixelPerfectCamera(std::weak_ptr<SceneItem> item) :
SceneItemComponent(i), SceneItemComponent(item),
scale(1.0f), scale(1.0f),
camera(nullptr) camera(nullptr)
{ {
@ -33,7 +33,7 @@ void PixelPerfectCamera::updateDimensions() {
break; break;
case CAMERA_TYPE_PERSPECTIVE: case CAMERA_TYPE_PERSPECTIVE:
item->lookAtPixelPerfect( item.lock()->lookAtPixelPerfect(
glm::vec3(0, 0, 0), glm::vec3(0, 0, 0),
glm::vec3(0, 0, 0), glm::vec3(0, 0, 0),
target->getHeight() / this->scale, target->getHeight() / this->scale,
@ -48,7 +48,7 @@ void PixelPerfectCamera::updateDimensions() {
} }
void PixelPerfectCamera::onStart() { void PixelPerfectCamera::onStart() {
if(camera == nullptr) camera = item->getComponent<Camera>(); if(camera == nullptr) camera = item.lock()->getComponent<Camera>();
useEffect([&]{ useEffect([&]{
this->updateDimensions(); this->updateDimensions();

View File

@ -28,7 +28,7 @@ namespace Dawn {
* *
* @param item Item that this component belongs to. * @param item Item that this component belongs to.
*/ */
PixelPerfectCamera(SceneItem *item); PixelPerfectCamera(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
SimpleRenderTargetQuad::SimpleRenderTargetQuad(SceneItem *i) : SimpleRenderTargetQuad::SimpleRenderTargetQuad(std::weak_ptr<SceneItem> i) :
SceneItemComponent(i), SceneItemComponent(i),
renderTarget(nullptr) renderTarget(nullptr)
{ {
@ -15,7 +15,7 @@ SimpleRenderTargetQuad::SimpleRenderTargetQuad(SceneItem *i) :
std::vector<std::shared_ptr<SceneItemComponent>> SimpleRenderTargetQuad::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> SimpleRenderTargetQuad::getDependencies() {
return { return {
(this->meshHost = this->item->getComponent<MeshHost>()) (this->meshHost = this->item.lock()->getComponent<MeshHost>())
}; };
} }

View File

@ -25,7 +25,7 @@ namespace Dawn {
* *
* @param item Item that this component is attached to. * @param item Item that this component is attached to.
*/ */
SimpleRenderTargetQuad(SceneItem *item); SimpleRenderTargetQuad(std::weak_ptr<SceneItem> item);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override; std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override;
void onStart() override; void onStart() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
TiledSprite::TiledSprite(SceneItem *item) : TiledSprite::TiledSprite(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
tile(-1), tile(-1),
tileset(nullptr), tileset(nullptr),
@ -22,7 +22,7 @@ TiledSprite::TiledSprite(SceneItem *item) :
std::vector<std::shared_ptr<SceneItemComponent>> TiledSprite::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> TiledSprite::getDependencies() {
if(this->meshHost == nullptr) { if(this->meshHost == nullptr) {
this->meshHost = this->item->getComponent<QuadMeshHost>(); this->meshHost = item.lock()->getComponent<QuadMeshHost>();
} }
return { this->meshHost._realValue }; return { this->meshHost._realValue };

View File

@ -32,7 +32,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<float_t> size; StateProperty<float_t> size;
TiledSprite(SceneItem *item); TiledSprite(std::weak_ptr<SceneItem> item);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies(); std::vector<std::shared_ptr<SceneItemComponent>> getDependencies();
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CapsuleMeshHost::CapsuleMeshHost(SceneItem *item) : CapsuleMeshHost::CapsuleMeshHost(std::weak_ptr<SceneItem> item) :
MeshHost(item), MeshHost(item),
radius(0.5f), radius(0.5f),
height(1.0f) height(1.0f)

View File

@ -15,7 +15,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<float> height; StateProperty<float> height;
CapsuleMeshHost(SceneItem *item); CapsuleMeshHost(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CubeMeshHost::CubeMeshHost(SceneItem *item) : CubeMeshHost::CubeMeshHost(std::weak_ptr<SceneItem> item) :
MeshHost(item), MeshHost(item),
size(glm::vec3(1,1,1)) size(glm::vec3(1,1,1))
{ {

View File

@ -13,7 +13,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<glm::vec3> size; StateProperty<glm::vec3> size;
CubeMeshHost(SceneItem *item); CubeMeshHost(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
MeshHost::MeshHost(SceneItem *item) : MeshHost::MeshHost(std::weak_ptr<SceneItem> item) :
mesh(), mesh(),
SceneItemComponent(item) SceneItemComponent(item)
{ {

View File

@ -12,6 +12,6 @@ namespace Dawn {
public: public:
Mesh mesh; Mesh mesh;
MeshHost(SceneItem *item); MeshHost(std::weak_ptr<SceneItem> item);
}; };
} }

View File

@ -9,12 +9,12 @@
using namespace Dawn; using namespace Dawn;
MeshRenderer::MeshRenderer(SceneItem *item) : SceneItemComponent(item) { MeshRenderer::MeshRenderer(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }
std::vector<std::shared_ptr<SceneItemComponent>> MeshRenderer::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> MeshRenderer::getDependencies() {
return { return {
this->meshHost = this->item->getComponent<MeshHost>() meshHost = item.lock()->getComponent<MeshHost>()
}; };
} }

View File

@ -23,7 +23,7 @@ namespace Dawn {
* *
* @param item Scene Item this mesh renderer belongs to. * @param item Scene Item this mesh renderer belongs to.
*/ */
MeshRenderer(SceneItem *item); MeshRenderer(std::weak_ptr<SceneItem> item);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override; std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override;
void onStart() override; void onStart() override;

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
QuadMeshHost::QuadMeshHost(SceneItem *item) : QuadMeshHost::QuadMeshHost(std::weak_ptr<SceneItem> item) :
xy0(glm::vec2(-0.5f, -0.5f)), xy1(glm::vec2(0.5f, 0.5f)), xy0(glm::vec2(-0.5f, -0.5f)), xy1(glm::vec2(0.5f, 0.5f)),
uv0(glm::vec2(0, 0)), uv1(glm::vec2(1, 1)), uv0(glm::vec2(0, 0)), uv1(glm::vec2(1, 1)),
MeshHost(item) MeshHost(item)

View File

@ -19,7 +19,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<glm::vec2> uv1; StateProperty<glm::vec2> uv1;
QuadMeshHost(SceneItem *item); QuadMeshHost(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -11,7 +11,7 @@
using namespace Dawn; using namespace Dawn;
SceneItem * ExampleSpin::create(Scene *scene) { std::shared_ptr<SceneItem> ExampleSpin::create(Scene *scene) {
auto item = scene->createSceneItem(); auto item = scene->createSceneItem();
auto mr = item->addComponent<MeshRenderer>(); auto mr = item->addComponent<MeshRenderer>();
mr->mesh = new Mesh(); mr->mesh = new Mesh();
@ -22,17 +22,18 @@ SceneItem * ExampleSpin::create(Scene *scene) {
return item; return item;
} }
ExampleSpin::ExampleSpin(SceneItem *item) : ExampleSpin::ExampleSpin(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item) SceneItemComponent(item)
{ {
} }
void ExampleSpin::onStart() { void ExampleSpin::onStart() {
useEvent([&](float_t delta){ useEvent([&](float_t delta){
auto quat = item->getLocalRotation(); auto i = item.lock();
auto quat = i->getLocalRotation();
quat = glm::rotate(quat, delta, glm::vec3(0, 1, 0)); quat = glm::rotate(quat, delta, glm::vec3(0, 1, 0));
quat = glm::rotate(quat, delta / 2.0f, glm::vec3(1, 0, 0)); quat = glm::rotate(quat, delta / 2.0f, glm::vec3(1, 0, 0));
quat = glm::rotate(quat, delta / 4.0f, glm::vec3(0, 0, 1)); quat = glm::rotate(quat, delta / 4.0f, glm::vec3(0, 0, 1));
item->setLocalRotation(quat); i->setLocalRotation(quat);
}, getScene()->eventSceneUnpausedUpdate); }, getScene()->eventSceneUnpausedUpdate);
} }

View File

@ -10,9 +10,9 @@
namespace Dawn { namespace Dawn {
class ExampleSpin : public SceneItemComponent { class ExampleSpin : public SceneItemComponent {
public: public:
static SceneItem * create(Scene *scene); static std::shared_ptr<SceneItem> create(Scene *scene);
ExampleSpin(SceneItem *item); ExampleSpin(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
BoxCollider::BoxCollider(SceneItem *i) : Collider2D(i) { BoxCollider::BoxCollider(std::weak_ptr<SceneItem> item) : Collider2D(item) {
} }

View File

@ -16,7 +16,7 @@ namespace Dawn {
// @optional // @optional
glm::vec2 max = glm::vec2( 0.5f, 0.5f); glm::vec2 max = glm::vec2( 0.5f, 0.5f);
BoxCollider(SceneItem *item); BoxCollider(std::weak_ptr<SceneItem> item);
enum Collider2DType getColliderType() override; enum Collider2DType getColliderType() override;
}; };
} }

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CharacterController2D::CharacterController2D(SceneItem *i) : CharacterController2D::CharacterController2D(std::weak_ptr<SceneItem> i) :
SceneItemComponent(i) SceneItemComponent(i)
{ {
} }
@ -17,6 +17,7 @@ void CharacterController2D::onStart() {
// if(velocity == glm::vec2(0, 0)) return; // if(velocity == glm::vec2(0, 0)) return;
// Common variables // Common variables
auto item = this->item.lock();
auto myCollider = item->getComponent<Collider2D>(); auto myCollider = item->getComponent<Collider2D>();
// Friction // Friction
@ -38,7 +39,8 @@ void CharacterController2D::onStart() {
while(itColliders != allColliders.end()) { while(itColliders != allColliders.end()) {
auto c = *itColliders; auto c = *itColliders;
++itColliders; ++itColliders;
if(c->item == this->item || c->item->isChildOf(item->shared_from_this())) continue; auto cItem = c->item.lock();
if(cItem == item || cItem->isChildOf(item)) continue;
result = c->getCollidingResult( result = c->getCollidingResult(
velocity, velocity,
myCollider, myCollider,
@ -76,7 +78,8 @@ void CharacterController2D::onStart() {
while(itTriggers != allTriggers.end()) { while(itTriggers != allTriggers.end()) {
auto c = *itTriggers; auto c = *itTriggers;
++itTriggers; ++itTriggers;
if(c->item == this->item || c->item->isChildOf(item->shared_from_this())) continue; auto cItem = c->item.lock();
if(cItem == item || cItem->isChildOf(item)) continue;
if(c->getCollidingResult(myCollider)) { if(c->getCollidingResult(myCollider)) {
c->eventTriggerEnter.invoke(this); c->eventTriggerEnter.invoke(this);
} }

View File

@ -26,7 +26,7 @@ namespace Dawn {
StateEvent<struct CharacterController2DCollisionEventInfo> eventCollision; StateEvent<struct CharacterController2DCollisionEventInfo> eventCollision;
CharacterController2D(SceneItem *i); CharacterController2D(std::weak_ptr<SceneItem> i);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -8,6 +8,6 @@
using namespace Dawn; using namespace Dawn;
Collider2D::Collider2D(SceneItem *i) : SceneItemComponent(i) { Collider2D::Collider2D(std::weak_ptr<SceneItem> i) : SceneItemComponent(i) {
} }

View File

@ -22,7 +22,7 @@ namespace Dawn {
class Collider2D : public SceneItemComponent { class Collider2D : public SceneItemComponent {
public: public:
Collider2D(SceneItem *item); Collider2D(std::weak_ptr<SceneItem> item);
/** /**
* Returns which type of collider this is. * Returns which type of collider this is.

View File

@ -7,12 +7,12 @@
using namespace Dawn; using namespace Dawn;
SolidController2D::SolidController2D(SceneItem *item) : SceneItemComponent(item) { SolidController2D::SolidController2D(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }
std::vector<std::shared_ptr<SceneItemComponent>> SolidController2D::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> SolidController2D::getDependencies() {
return { return {
(this->collider = item->getComponent<Collider2D>()) (this->collider = item.lock()->getComponent<Collider2D>())
}; };
} }
@ -29,7 +29,7 @@ bool_t SolidController2D::getCollidingResult(
assertNotNull(movingObject, "SolidController2D::getCollidingResult: Moving object cannot be null"); assertNotNull(movingObject, "SolidController2D::getCollidingResult: Moving object cannot be null");
if(movement.x == 0 && movement.y == 0) return false; if(movement.x == 0 && movement.y == 0) return false;
auto myPos = physics3Dto2D(movingObject->item->getWorldPosition()); auto myPos = physics3Dto2D(movingObject->item.lock()->getWorldPosition());
// Check what the moving object is // Check what the moving object is
switch(movingObject->getColliderType()) { switch(movingObject->getColliderType()) {
@ -42,7 +42,7 @@ bool_t SolidController2D::getCollidingResult(
case COLLIDER2D_TYPE_BOX: { case COLLIDER2D_TYPE_BOX: {
auto box2 = std::static_pointer_cast<BoxCollider>(this->collider); auto box2 = std::static_pointer_cast<BoxCollider>(this->collider);
assertNotNull(box2, "SolidController2D::getCollidingResult: Collider is not a BoxCollider"); assertNotNull(box2, "SolidController2D::getCollidingResult: Collider is not a BoxCollider");
auto otherPos = physics3Dto2D(box2->item->getWorldPosition()); auto otherPos = physics3Dto2D(box2->item.lock()->getWorldPosition());
return boxCheckCollision( return boxCheckCollision(
myPos, box1->min, box1->max, myPos, box1->min, box1->max,

View File

@ -12,7 +12,7 @@ namespace Dawn {
public: public:
std::shared_ptr<Collider2D> collider; std::shared_ptr<Collider2D> collider;
SolidController2D(SceneItem *item); SolidController2D(std::weak_ptr<SceneItem> item);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override; std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override;
/** /**

View File

@ -7,13 +7,13 @@
using namespace Dawn; using namespace Dawn;
TriggerController2D::TriggerController2D(SceneItem *i) : SceneItemComponent(i) { TriggerController2D::TriggerController2D(std::weak_ptr<SceneItem> i) : SceneItemComponent(i) {
} }
std::vector<std::shared_ptr<SceneItemComponent>> TriggerController2D::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> TriggerController2D::getDependencies() {
return { return {
(this->collider = this->item->getComponent<Collider2D>()) (this->collider = this->item.lock()->getComponent<Collider2D>())
}; };
} }
@ -32,8 +32,8 @@ bool_t TriggerController2D::getCollidingResult(std::shared_ptr<Collider2D> movin
auto box2 = std::static_pointer_cast<BoxCollider>(collider); auto box2 = std::static_pointer_cast<BoxCollider>(collider);
assertNotNull(box2, "TriggerController2D::getCollidingResult: Collider is not a BoxCollider"); assertNotNull(box2, "TriggerController2D::getCollidingResult: Collider is not a BoxCollider");
return boxIsBoxColliding( return boxIsBoxColliding(
physics3Dto2D(box1->item->getWorldPosition()), box1->min, box1->max, physics3Dto2D(box1->item.lock()->getWorldPosition()), box1->min, box1->max,
physics3Dto2D(box2->item->getWorldPosition()), box2->min, box2->max physics3Dto2D(box2->item.lock()->getWorldPosition()), box2->min, box2->max
); );
} }

View File

@ -15,7 +15,7 @@ namespace Dawn {
std::shared_ptr<Collider2D> collider; std::shared_ptr<Collider2D> collider;
StateEvent<CharacterController2D*> eventTriggerEnter; StateEvent<CharacterController2D*> eventTriggerEnter;
TriggerController2D(SceneItem *i); TriggerController2D(std::weak_ptr<SceneItem> i);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override; std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override;
/** /**

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CapsuleCollider::CapsuleCollider(SceneItem *item) : Collider3D(item) { CapsuleCollider::CapsuleCollider(std::weak_ptr<SceneItem> item) : Collider3D(item) {
} }
@ -22,7 +22,7 @@ bool_t CapsuleCollider::performRaycast(
{ {
.height = this->height, .height = this->height,
.radius = this->radius, .radius = this->radius,
.origin = item->getWorldPosition() .origin = item.lock()->getWorldPosition()
}, },
&result->point, &result->point,
&result->normal, &result->normal,

View File

@ -21,7 +21,7 @@ namespace Dawn {
// @optional // @optional
float_t radius = 0.5f; float_t radius = 0.5f;
CapsuleCollider(SceneItem *item); CapsuleCollider(std::weak_ptr<SceneItem> item);
enum Collider3DType getColliderType() override; enum Collider3DType getColliderType() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CharacterController3D::CharacterController3D(SceneItem *item) : CharacterController3D::CharacterController3D(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item) SceneItemComponent(item)
{ {
@ -15,6 +15,8 @@ CharacterController3D::CharacterController3D(SceneItem *item) :
void CharacterController3D::onStart() { void CharacterController3D::onStart() {
useEvent([&](float_t delta){ useEvent([&](float_t delta){
auto item = this->item.lock();
// Friction // Friction
velocity -= glm::vec3(velocity.x, 0, velocity.z) * friction * delta; velocity -= glm::vec3(velocity.x, 0, velocity.z) * friction * delta;

View File

@ -16,7 +16,7 @@ namespace Dawn {
// @optional // @optional
float_t friction = 12.0f; float_t friction = 12.0f;
CharacterController3D(SceneItem *item); CharacterController3D(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
Collider3D::Collider3D(SceneItem *item) : SceneItemComponent(item) { Collider3D::Collider3D(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }

View File

@ -36,7 +36,7 @@ namespace Dawn {
) = 0; ) = 0;
public: public:
Collider3D(SceneItem *item); Collider3D(std::weak_ptr<SceneItem> item);
/** /**
* Perform a raycast against this collider. * Perform a raycast against this collider.

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
CubeCollider::CubeCollider(SceneItem *item) : Collider3D(item) { CubeCollider::CubeCollider(std::weak_ptr<SceneItem> item) : Collider3D(item) {
} }
@ -20,7 +20,7 @@ bool_t CubeCollider::performRaycast(
return Dawn::raytestCube( return Dawn::raytestCube(
ray, ray,
{ .min = this->min, .max = this->max }, { .min = this->min, .max = this->max },
item->getWorldTransform(), item.lock()->getWorldTransform(),
&result->point, &result->point,
&result->normal, &result->normal,
&result->distance &result->distance

View File

@ -21,7 +21,7 @@ namespace Dawn {
// @optional // @optional
glm::vec3 max = glm::vec3(0.5f, 0.5f, 0.5f); glm::vec3 max = glm::vec3(0.5f, 0.5f, 0.5f);
CubeCollider(SceneItem *item); CubeCollider(std::weak_ptr<SceneItem> item);
enum Collider3DType getColliderType() override; enum Collider3DType getColliderType() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
SphereCollider::SphereCollider(SceneItem *item) : Collider3D(item) { SphereCollider::SphereCollider(std::weak_ptr<SceneItem> item) : Collider3D(item) {
} }
@ -23,7 +23,7 @@ bool_t SphereCollider::performRaycast(
return raytestSphere( return raytestSphere(
ray, ray,
{ .center = item->getLocalPosition(), .radius = this->radius }, { .center = item.lock()->getLocalPosition(), .radius = this->radius },
&result->point, &result->point,
&result->normal, &result->normal,
&result->distance &result->distance

View File

@ -18,7 +18,7 @@ namespace Dawn {
// @optional // @optional
float_t radius = 1.0f; float_t radius = 1.0f;
SphereCollider(SceneItem *item); SphereCollider(std::weak_ptr<SceneItem> item);
enum Collider3DType getColliderType() override; enum Collider3DType getColliderType() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
SubSceneCameraAlign::SubSceneCameraAlign(SceneItem *i) : SubSceneCameraAlign::SubSceneCameraAlign(std::weak_ptr<SceneItem> i) :
SceneItemComponent(i), SceneItemComponent(i),
camera(nullptr), camera(nullptr),
renderTarget(nullptr) renderTarget(nullptr)
@ -23,7 +23,7 @@ void SubSceneCameraAlign::realign() {
float_t myRatio = this->camera->getAspect(); float_t myRatio = this->camera->getAspect();
this->camera->type = CAMERA_TYPE_ORTHONOGRAPHIC; this->camera->type = CAMERA_TYPE_ORTHONOGRAPHIC;
this->camera->item->lookAt(glm::vec3(0, 0, 10), glm::vec3(0, 0, 0)); this->camera->item.lock()->lookAt(glm::vec3(0, 0, 10), glm::vec3(0, 0, 0));
if(ratio > myRatio) { if(ratio > myRatio) {
// My Ratio is narrower // My Ratio is narrower

View File

@ -31,7 +31,7 @@ namespace Dawn {
* *
* @param item Scene Item that this component belongs to. * @param item Scene Item that this component belongs to.
*/ */
SubSceneCameraAlign(SceneItem *item); SubSceneCameraAlign(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
SubSceneController::SubSceneController(SceneItem *i) : SceneItemComponent(i) { SubSceneController::SubSceneController(std::weak_ptr<SceneItem> i) : SceneItemComponent(i) {
} }

View File

@ -14,7 +14,7 @@ namespace Dawn {
// @optional // @optional
bool_t onlyUpdateUnpaused = false; bool_t onlyUpdateUnpaused = false;
SubSceneController(SceneItem *item); SubSceneController(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
UIBorder::UIBorder(SceneItem *item) : UIBorder::UIBorder(std::weak_ptr<SceneItem> item) :
texture(nullptr), texture(nullptr),
borderSize(glm::vec2(8, 8)), borderSize(glm::vec2(8, 8)),
UIComponentRenderable(item) UIComponentRenderable(item)
@ -37,7 +37,7 @@ std::vector<struct ShaderPassItem> UIBorder::getUIRenderPasses() {
item.shader = shader; item.shader = shader;
item.colorValues[shader->paramColor] = COLOR_WHITE; item.colorValues[shader->paramColor] = COLOR_WHITE;
item.parameterBuffers[shader->bufferUiCanvas] = &this->getCanvas()->shaderBuffer; item.parameterBuffers[shader->bufferUiCanvas] = &this->getCanvas()->shaderBuffer;
item.matrixValues[shader->paramModel] = this->item->getWorldTransform(); item.matrixValues[shader->paramModel] = this->item.lock()->getWorldTransform();
if(this->texture == nullptr) { if(this->texture == nullptr) {
item.boolValues[shader->paramHasTexture] = false; item.boolValues[shader->paramHasTexture] = false;
} else { } else {
@ -45,7 +45,7 @@ std::vector<struct ShaderPassItem> UIBorder::getUIRenderPasses() {
item.textureSlots[0] = this->texture; item.textureSlots[0] = this->texture;
item.textureValues[shader->paramTexture] = 0; item.textureValues[shader->paramTexture] = 0;
} }
item.w = this->item->getWorldPosition().z; item.w = this->item.lock()->getWorldPosition().z;
item.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND; item.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND;
item.mesh = &mesh; item.mesh = &mesh;

View File

@ -20,7 +20,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<Texture*> texture; StateProperty<Texture*> texture;
UIBorder(SceneItem *item); UIBorder(std::weak_ptr<SceneItem> item);
float_t getContentWidth() override; float_t getContentWidth() override;
float_t getContentHeight() override; float_t getContentHeight() override;

View File

@ -14,7 +14,7 @@ std::shared_ptr<UICanvas> UICanvas::create(Scene *scene) {
return item->addComponent<UICanvas>(); return item->addComponent<UICanvas>();
} }
UICanvas::UICanvas(SceneItem *item) : UICanvas::UICanvas(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
camera(nullptr) camera(nullptr)
{ {
@ -26,7 +26,7 @@ void UICanvas::rebufferShaderParameters() {
switch(this->drawType) { switch(this->drawType) {
case UI_DRAW_TYPE_WORLD_ABSOLUTE: case UI_DRAW_TYPE_WORLD_ABSOLUTE:
data.projection = camera->getProjection(); data.projection = camera->getProjection();
data.view = camera->item->getWorldTransform(); data.view = camera->item.lock()->getWorldTransform();
break; break;
case UI_DRAW_TYPE_WORLD_CAMERA_RELATIVE: case UI_DRAW_TYPE_WORLD_CAMERA_RELATIVE:
@ -91,7 +91,7 @@ void UICanvas::onStart() {
this->h = h / this->getScale(); this->h = h / this->getScale();
this->rebufferShaderParameters(); this->rebufferShaderParameters();
auto comps = this->item->findChildren<UIComponent>(); auto comps = this->item.lock()->findChildren<UIComponent>();
auto itComps = comps.begin(); auto itComps = comps.begin();
while(itComps != comps.end()) { while(itComps != comps.end()) {
(*itComps)->alignmentNeedsUpdating = true; (*itComps)->alignmentNeedsUpdating = true;

View File

@ -94,7 +94,7 @@ namespace Dawn {
* *
* @param item Item that this canvas item belongs to. * @param item Item that this canvas item belongs to.
*/ */
UICanvas(SceneItem *item); UICanvas(std::weak_ptr<SceneItem> item);
/** /**
* Returns the scale of this canvas. * Returns the scale of this canvas.

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
UIComponent::UIComponent(SceneItem *item) : UIComponent::UIComponent(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
alignment(glm::vec4(0, 0, 128, 128)), alignment(glm::vec4(0, 0, 128, 128)),
alignUnitLeft(UI_COMPONENT_ALIGN_UNIT_SCALE), alignUnitLeft(UI_COMPONENT_ALIGN_UNIT_SCALE),
@ -22,7 +22,7 @@ UIComponent::UIComponent(SceneItem *item) :
} }
std::shared_ptr<UIComponentDimensional> UIComponent::getParentDimensional() { std::shared_ptr<UIComponentDimensional> UIComponent::getParentDimensional() {
auto parent = item->getParent(); auto parent = item.lock()->getParent();
if(parent == nullptr) return nullptr; if(parent == nullptr) return nullptr;
auto dimensional = parent->getComponent<UIComponentDimensional>(); auto dimensional = parent->getComponent<UIComponentDimensional>();
assertNotNull(dimensional, "UIComponent::getParentDimensional: Parent must have a UIComponentDimensional"); assertNotNull(dimensional, "UIComponent::getParentDimensional: Parent must have a UIComponentDimensional");
@ -34,7 +34,7 @@ void UIComponent::updateAlignment() {
auto align = (glm::vec4)this->alignment; auto align = (glm::vec4)this->alignment;
auto dimensional = this->getParentDimensional(); auto dimensional = this->getParentDimensional();
auto translate = item->getLocalPosition(); auto translate = item.lock()->getLocalPosition();
assertNotNull(dimensional, "UIComponent::updateAlignment: Parent must have a UIComponentDimensional"); assertNotNull(dimensional, "UIComponent::updateAlignment: Parent must have a UIComponentDimensional");
@ -99,7 +99,7 @@ void UIComponent::updateAlignment() {
translate.x += dimensional->getChildOffsetX(); translate.x += dimensional->getChildOffsetX();
translate.y += dimensional->getChildOffsetY(); translate.y += dimensional->getChildOffsetY();
item->setLocalPosition(translate); item.lock()->setLocalPosition(translate);
this->alignmentNeedsUpdating = false; this->alignmentNeedsUpdating = false;
this->eventAlignmentUpdated.invoke(); this->eventAlignmentUpdated.invoke();
} }
@ -240,7 +240,7 @@ void UIComponent::calculateDimensions(
std::shared_ptr<UICanvas> UIComponent::getCanvas() { std::shared_ptr<UICanvas> UIComponent::getCanvas() {
// TODO: Cache this on first hit. // TODO: Cache this on first hit.
auto parent = item->getParent(); auto parent = item.lock()->getParent();
while(parent) { while(parent) {
auto canvas = parent->getComponent<UICanvas>(); auto canvas = parent->getComponent<UICanvas>();
if(canvas != nullptr) return canvas; if(canvas != nullptr) return canvas;
@ -274,7 +274,7 @@ void UIComponent::onStart() {
useEffect([&]{ useEffect([&]{
this->updateAlignment(); this->updateAlignment();
auto child = this->item->findChildren<UIComponent>(); auto child = this->item.lock()->findChildren<UIComponent>();
auto itChild = child.begin(); auto itChild = child.begin();
while(itChild != child.end()) { while(itChild != child.end()) {
(*itChild)->alignmentNeedsUpdating = true; (*itChild)->alignmentNeedsUpdating = true;

View File

@ -123,7 +123,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<glm::vec4> alignment; StateProperty<glm::vec4> alignment;
UIComponent(SceneItem *item); UIComponent(std::weak_ptr<SceneItem> item);
/** /**
* Returns the canvas that this UI element is belonging to. * Returns the canvas that this UI element is belonging to.

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
UIComponentRenderable::UIComponentRenderable(SceneItem *i) : UIComponent(i) { UIComponentRenderable::UIComponentRenderable(std::weak_ptr<SceneItem> i) : UIComponent(i) {
} }

View File

@ -9,7 +9,7 @@
namespace Dawn { namespace Dawn {
class UIComponentRenderable : public UIComponent, public IRenderable { class UIComponentRenderable : public UIComponent, public IRenderable {
public: public:
UIComponentRenderable(SceneItem *item); UIComponentRenderable(std::weak_ptr<SceneItem> item);
std::vector<struct ShaderPassItem> getRenderPasses( std::vector<struct ShaderPassItem> getRenderPasses(
struct IRenderableContext &context struct IRenderableContext &context

View File

@ -7,7 +7,7 @@
using namespace Dawn; using namespace Dawn;
UIEmpty::UIEmpty(SceneItem *item) : UIComponent(item) { } UIEmpty::UIEmpty(std::weak_ptr<SceneItem> item) : UIComponent(item) { }
float_t UIEmpty::getContentWidth() { float_t UIEmpty::getContentWidth() {
return this->getWidthFromAlignment(); return this->getWidthFromAlignment();

View File

@ -9,7 +9,7 @@
namespace Dawn { namespace Dawn {
class UIEmpty : public UIComponent { class UIEmpty : public UIComponent {
public: public:
UIEmpty(SceneItem *item); UIEmpty(std::weak_ptr<SceneItem> item);
float_t getContentWidth() override; float_t getContentWidth() override;
float_t getContentHeight() override; float_t getContentHeight() override;
float_t getChildOffsetX() override; float_t getChildOffsetX() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
UIImage::UIImage(SceneItem *item) : UIImage::UIImage(std::weak_ptr<SceneItem> item) :
texture(nullptr), texture(nullptr),
UIComponentRenderable(item), UIComponentRenderable(item),
uvs(glm::vec4(0, 1, 1, 0)) uvs(glm::vec4(0, 1, 1, 0))
@ -32,7 +32,7 @@ std::vector<struct ShaderPassItem> UIImage::getUIRenderPasses() {
item.shader = shader; item.shader = shader;
item.colorValues[shader->paramColor] = this->color; item.colorValues[shader->paramColor] = this->color;
item.parameterBuffers[shader->bufferUiCanvas] = &getCanvas()->shaderBuffer; item.parameterBuffers[shader->bufferUiCanvas] = &getCanvas()->shaderBuffer;
item.matrixValues[shader->paramModel] = this->item->getWorldTransform(); item.matrixValues[shader->paramModel] = this->item.lock()->getWorldTransform();
if(this->texture == nullptr) { if(this->texture == nullptr) {
item.boolValues[shader->paramHasTexture] = false; item.boolValues[shader->paramHasTexture] = false;
} else { } else {
@ -40,7 +40,7 @@ std::vector<struct ShaderPassItem> UIImage::getUIRenderPasses() {
item.textureSlots[0] = this->texture; item.textureSlots[0] = this->texture;
item.textureValues[shader->paramTexture] = 0; item.textureValues[shader->paramTexture] = 0;
} }
item.w = this->item->getWorldPosition().z; item.w = this->item.lock()->getWorldPosition().z;
item.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND; item.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND;
item.mesh = &mesh; item.mesh = &mesh;
return { item }; return { item };

View File

@ -20,7 +20,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<glm::vec4> uvs; StateProperty<glm::vec4> uvs;
UIImage(SceneItem *item); UIImage(std::weak_ptr<SceneItem> item);
float_t getContentWidth() override; float_t getContentWidth() override;
float_t getContentHeight() override; float_t getContentHeight() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
UIMesh::UIMesh(SceneItem *i) : UIMesh::UIMesh(std::weak_ptr<SceneItem> i) :
texture(nullptr), texture(nullptr),
UIComponentRenderable(i) UIComponentRenderable(i)
{ {
@ -31,7 +31,7 @@ std::vector<struct ShaderPassItem> UIMesh::getUIRenderPasses() {
shaderItem.shader = shader; shaderItem.shader = shader;
shaderItem.colorValues[shader->paramColor] = this->color; shaderItem.colorValues[shader->paramColor] = this->color;
shaderItem.parameterBuffers[shader->bufferUiCanvas] = &getCanvas()->shaderBuffer; shaderItem.parameterBuffers[shader->bufferUiCanvas] = &getCanvas()->shaderBuffer;
shaderItem.matrixValues[shader->paramModel] = item->getWorldTransform(); shaderItem.matrixValues[shader->paramModel] = item.lock()->getWorldTransform();
if(this->texture == nullptr) { if(this->texture == nullptr) {
shaderItem.boolValues[shader->paramHasTexture] = false; shaderItem.boolValues[shader->paramHasTexture] = false;
} else { } else {
@ -39,7 +39,7 @@ std::vector<struct ShaderPassItem> UIMesh::getUIRenderPasses() {
shaderItem.textureSlots[0] = this->texture; shaderItem.textureSlots[0] = this->texture;
shaderItem.textureValues[shader->paramTexture] = 0; shaderItem.textureValues[shader->paramTexture] = 0;
} }
shaderItem.w = item->getWorldPosition().z; shaderItem.w = item.lock()->getWorldPosition().z;
shaderItem.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND; shaderItem.renderFlags = RENDER_MANAGER_RENDER_FLAG_BLEND;
shaderItem.mesh = &mesh; shaderItem.mesh = &mesh;
return { shaderItem }; return { shaderItem };

View File

@ -22,7 +22,7 @@ namespace Dawn {
// @optional // @optional
StateProperty<Texture*> texture; StateProperty<Texture*> texture;
UIMesh(SceneItem *item); UIMesh(std::weak_ptr<SceneItem> item);
float_t getContentWidth() override; float_t getContentWidth() override;
float_t getContentHeight() override; float_t getContentHeight() override;
std::vector<struct ShaderPassItem> getUIRenderPasses() override; std::vector<struct ShaderPassItem> getUIRenderPasses() override;

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
UIMenuController::UIMenuController(SceneItem *item) : UIMenuController::UIMenuController(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item), SceneItemComponent(item),
active(true), active(true),
menuX(0), menuX(0),

View File

@ -22,7 +22,7 @@ namespace Dawn {
StateEvent<int32_t, int32_t> eventItemSelected; StateEvent<int32_t, int32_t> eventItemSelected;
StateEvent<> eventMenuCancel; StateEvent<> eventMenuCancel;
UIMenuController(SceneItem *item); UIMenuController(std::weak_ptr<SceneItem> item);
void onStart() override; void onStart() override;
}; };
} }

View File

@ -8,7 +8,7 @@
using namespace Dawn; using namespace Dawn;
UISimpleMenu::UISimpleMenu(SceneItem *item) : UISimpleMenu::UISimpleMenu(std::weak_ptr<SceneItem> item) :
SceneItemComponent(item) SceneItemComponent(item)
{ {
@ -16,8 +16,8 @@ UISimpleMenu::UISimpleMenu(SceneItem *item) :
std::vector<std::shared_ptr<SceneItemComponent>> UISimpleMenu::getDependencies() { std::vector<std::shared_ptr<SceneItemComponent>> UISimpleMenu::getDependencies() {
return { return {
(this->menu = this->item->getComponent<UIMenuController>()), (this->menu = this->item.lock()->getComponent<UIMenuController>()),
(this->canvas == nullptr ? (this->canvas = this->item->getComponent<UICanvas>()) : nullptr) (this->canvas == nullptr ? (this->canvas = this->item.lock()->getComponent<UICanvas>()) : nullptr)
}; };
} }
@ -26,7 +26,7 @@ void UISimpleMenu::onStart() {
assertNotNull(this->menu, "UISimpleMenu::onStart: Menu cannot be null"); assertNotNull(this->menu, "UISimpleMenu::onStart: Menu cannot be null");
assertNotNull(this->canvas, "UISimpleMenu::onStart: Canvas cannot be null"); assertNotNull(this->canvas, "UISimpleMenu::onStart: Canvas cannot be null");
menuItems = this->item->findChildren<UISimpleMenuItem>(); menuItems = this->item.lock()->findChildren<UISimpleMenuItem>();
auto updateSimpleMenuPos = [&](int32_t x, int32_t y) { auto updateSimpleMenuPos = [&](int32_t x, int32_t y) {
if(currentlySelected != nullptr) { if(currentlySelected != nullptr) {
@ -75,7 +75,7 @@ void UISimpleMenu::onStart() {
case UI_DRAW_TYPE_WORLD_ABSOLUTE: case UI_DRAW_TYPE_WORLD_ABSOLUTE:
mouse *= 2.0f; mouse *= 2.0f;
mouse -= glm::vec2(1, 1); mouse -= glm::vec2(1, 1);
ray.origin = canvas->camera->item->getWorldPosition(); ray.origin = canvas->camera->item.lock()->getWorldPosition();
ray.direction = canvas->camera->getRayDirectionFromScreenSpace(mouse); ray.direction = canvas->camera->getRayDirectionFromScreenSpace(mouse);
break; break;
@ -107,7 +107,7 @@ void UISimpleMenu::onStart() {
if(!raytestQuad( if(!raytestQuad(
ray, ray,
glm::vec2(0, 0), size, glm::vec2(0, 0), size,
highlight->item->getWorldTransform(), highlight->item.lock()->getWorldTransform(),
&point, &point,
&normal, &normal,
&distance &distance

View File

@ -16,7 +16,7 @@ namespace Dawn {
std::vector<std::shared_ptr<UISimpleMenuItem>> menuItems; std::vector<std::shared_ptr<UISimpleMenuItem>> menuItems;
public: public:
UISimpleMenu(SceneItem *item); UISimpleMenu(std::weak_ptr<SceneItem> item);
std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override; std::vector<std::shared_ptr<SceneItemComponent>> getDependencies() override;
void onStart() override; void onStart() override;
}; };

View File

@ -7,11 +7,11 @@
using namespace Dawn; using namespace Dawn;
UISimpleMenuItem::UISimpleMenuItem(SceneItem *item) : SceneItemComponent(item) { UISimpleMenuItem::UISimpleMenuItem(std::weak_ptr<SceneItem> item) : SceneItemComponent(item) {
} }
std::shared_ptr<UIComponent> UISimpleMenuItem::getComponentForHighlighting() { std::shared_ptr<UIComponent> UISimpleMenuItem::getComponentForHighlighting() {
if(uiComponent == nullptr) uiComponent = item->getComponent<UIComponent>(); if(uiComponent == nullptr) uiComponent = item.lock()->getComponent<UIComponent>();
return uiComponent; return uiComponent;
} }

Some files were not shown because too many files have changed in this diff Show More