7f8eca8d0595a4248b95498f6e43a1a3419b9a98
[platform/core/uifw/dali-core.git] / dali / internal / update / manager / update-manager.cpp
1 /*
2  * Copyright (c) 2021 Samsung Electronics Co., Ltd.
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  * http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  *
16  */
17
18 // CLASS HEADER
19 #include <dali/internal/update/manager/update-manager.h>
20
21 // INTERNAL INCLUDES
22 #include <dali/integration-api/core.h>
23
24 #include <dali/internal/event/animation/animation-playlist.h>
25 #include <dali/internal/event/common/notification-manager.h>
26 #include <dali/internal/event/common/property-notifier.h>
27 #include <dali/internal/event/effects/shader-factory.h>
28
29 #include <dali/internal/update/common/discard-queue.h>
30 #include <dali/internal/update/controllers/render-message-dispatcher.h>
31 #include <dali/internal/update/controllers/scene-controller-impl.h>
32 #include <dali/internal/update/manager/frame-callback-processor.h>
33 #include <dali/internal/update/manager/render-task-processor.h>
34 #include <dali/internal/update/manager/transform-manager.h>
35 #include <dali/internal/update/manager/update-algorithms.h>
36 #include <dali/internal/update/manager/update-manager-debug.h>
37 #include <dali/internal/update/nodes/node.h>
38 #include <dali/internal/update/queue/update-message-queue.h>
39
40 #include <dali/internal/render/common/render-manager.h>
41 #include <dali/internal/render/queue/render-queue.h>
42
43 // Un-comment to enable node tree debug logging
44 //#define NODE_TREE_LOGGING 1
45
46 #if(defined(DEBUG_ENABLED) && defined(NODE_TREE_LOGGING))
47 #define SNAPSHOT_NODE_LOGGING                                                   \
48   const uint32_t FRAME_COUNT_TRIGGER = 16;                                      \
49   if(mImpl->frameCounter >= FRAME_COUNT_TRIGGER)                                \
50   {                                                                             \
51     for(auto&& scene : mImpl->scenes)                                           \
52     {                                                                           \
53       if(scene && scene->root)                                                  \
54       {                                                                         \
55         mImpl->frameCounter = 0;                                                \
56         PrintNodes(*scene->root, mSceneGraphBuffers.GetUpdateBufferIndex(), 0); \
57       }                                                                         \
58     }                                                                           \
59   }                                                                             \
60   mImpl->frameCounter++;
61 #else
62 #define SNAPSHOT_NODE_LOGGING
63 #endif
64
65 #if defined(DEBUG_ENABLED)
66 extern Debug::Filter* gRenderTaskLogFilter;
67 namespace
68 {
69 Debug::Filter* gLogFilter = Debug::Filter::New(Debug::NoLogging, false, "LOG_UPDATE_MANAGER");
70 } // unnamed namespace
71 #endif
72
73 using namespace Dali::Integration;
74 using Dali::Internal::Update::MessageQueue;
75
76 namespace Dali
77 {
78 namespace Internal
79 {
80 namespace SceneGraph
81 {
82 namespace
83 {
84 /**
85  * Helper to Erase an object from OwnerContainer using discard queue
86  * @param container to remove from
87  * @param object to remove
88  * @param discardQueue to put the object to
89  * @param updateBufferIndex to use
90  */
91 template<class T>
92 inline void EraseUsingDiscardQueue(OwnerContainer<T*>& container, T* object, DiscardQueue& discardQueue, BufferIndex updateBufferIndex)
93 {
94   DALI_ASSERT_DEBUG(object && "NULL object not allowed");
95
96   // need to use the reference version of auto as we need the pointer to the pointer for the Release call below
97   for(auto&& iter : container)
98   {
99     if(iter == object)
100     {
101       // Transfer ownership to the discard queue, this keeps the object alive, until the render-thread has finished with it
102       discardQueue.Add(updateBufferIndex, container.Release(&iter)); // take the address of the reference to a pointer (iter)
103       return;                                                        // return as we only ever remove one object. Iterators to container are now invalidated as well so cannot continue
104     }
105   }
106 }
107
108 /**
109  * Descends into node's hierarchy and sorts the children of each child according to their depth-index.
110  * @param[in] node The node whose hierarchy to descend
111  */
112 void SortSiblingNodesRecursively(Node& node)
113 {
114   NodeContainer& container = node.GetChildren();
115   std::sort(container.Begin(), container.End(), [](Node* a, Node* b) { return a->GetDepthIndex() < b->GetDepthIndex(); });
116
117   // Descend tree and sort as well
118   for(auto&& iter : container)
119   {
120     SortSiblingNodesRecursively(*iter);
121   }
122 }
123
124 } // unnamed namespace
125
126 /**
127  * Structure to contain UpdateManager internal data
128  */
129 struct UpdateManager::Impl
130 {
131   // SceneInfo keeps the root node of the Scene, its scene graph render task list, and the list of Layer pointers sorted by depth
132   struct SceneInfo
133   {
134     SceneInfo(Layer* root) ///< Constructor
135     : root(root)
136     {
137     }
138
139     ~SceneInfo()               = default;                ///< Default non-virtual destructor
140     SceneInfo(SceneInfo&& rhs) = default;                ///< Move constructor
141     SceneInfo& operator=(SceneInfo&& rhs) = default;     ///< Move assignment operator
142     SceneInfo& operator=(const SceneInfo& rhs) = delete; ///< Assignment operator
143     SceneInfo(const SceneInfo& rhs)            = delete; ///< Copy constructor
144
145     Layer*                       root{nullptr};   ///< Root node (root is a layer). The layer is not stored in the node memory pool.
146     OwnerPointer<RenderTaskList> taskList;        ///< Scene graph render task list
147     SortedLayerPointers          sortedLayerList; ///< List of Layer pointers sorted by depth (one list of sorted layers per root)
148     OwnerPointer<Scene>          scene;           ///< Scene graph object of the scene
149   };
150
151   Impl(NotificationManager&           notificationManager,
152        CompleteNotificationInterface& animationPlaylist,
153        PropertyNotifier&              propertyNotifier,
154        DiscardQueue&                  discardQueue,
155        RenderController&              renderController,
156        RenderManager&                 renderManager,
157        RenderQueue&                   renderQueue,
158        SceneGraphBuffers&             sceneGraphBuffers,
159        RenderTaskProcessor&           renderTaskProcessor)
160   : renderMessageDispatcher(renderManager, renderQueue, sceneGraphBuffers),
161     notificationManager(notificationManager),
162     transformManager(),
163     animationPlaylist(animationPlaylist),
164     propertyNotifier(propertyNotifier),
165     shaderSaver(nullptr),
166     discardQueue(discardQueue),
167     renderController(renderController),
168     sceneController(nullptr),
169     renderManager(renderManager),
170     renderQueue(renderQueue),
171     renderTaskProcessor(renderTaskProcessor),
172     backgroundColor(Dali::DEFAULT_BACKGROUND_COLOR),
173     renderers(),
174     textureSets(),
175     shaders(),
176     panGestureProcessor(nullptr),
177     messageQueue(renderController, sceneGraphBuffers),
178     frameCallbackProcessor(nullptr),
179     keepRenderingSeconds(0.0f),
180     nodeDirtyFlags(NodePropertyFlags::TRANSFORM), // set to TransformFlag to ensure full update the first time through Update()
181     frameCounter(0),
182     renderingBehavior(DevelStage::Rendering::IF_REQUIRED),
183     animationFinishedDuringUpdate(false),
184     previousUpdateScene(false),
185     renderTaskWaiting(false),
186     renderersAdded(false),
187     renderingRequired(false)
188   {
189     sceneController = new SceneControllerImpl(renderMessageDispatcher, renderQueue, discardQueue);
190
191     // create first 'dummy' node
192     nodes.PushBack(nullptr);
193   }
194
195   ~Impl()
196   {
197     // Disconnect render tasks from nodes, before destroying the nodes
198     for(auto&& scene : scenes)
199     {
200       if(scene && scene->taskList)
201       {
202         RenderTaskList::RenderTaskContainer& tasks = scene->taskList->GetTasks();
203         for(auto&& task : tasks)
204         {
205           task->SetSourceNode(nullptr);
206         }
207       }
208     }
209
210     // UpdateManager owns the Nodes. Although Nodes are pool allocated they contain heap allocated parts
211     // like custom properties, which get released here
212     Vector<Node*>::Iterator iter    = nodes.Begin() + 1;
213     Vector<Node*>::Iterator endIter = nodes.End();
214     for(; iter != endIter; ++iter)
215     {
216       (*iter)->OnDestroy();
217       Node::Delete(*iter);
218     }
219
220     for(auto&& scene : scenes)
221     {
222       if(scene && scene->root)
223       {
224         scene->root->OnDestroy();
225         Node::Delete(scene->root);
226       }
227     }
228     scenes.clear();
229
230     delete sceneController;
231   }
232
233   /**
234    * Lazy init for FrameCallbackProcessor.
235    * @param[in]  updateManager  A reference to the update-manager
236    */
237   FrameCallbackProcessor& GetFrameCallbackProcessor(UpdateManager& updateManager)
238   {
239     if(!frameCallbackProcessor)
240     {
241       frameCallbackProcessor = new FrameCallbackProcessor(updateManager, transformManager);
242     }
243     return *frameCallbackProcessor;
244   }
245
246   SceneGraphBuffers              sceneGraphBuffers;       ///< Used to keep track of which buffers are being written or read
247   RenderMessageDispatcher        renderMessageDispatcher; ///< Used for passing messages to the render-thread
248   NotificationManager&           notificationManager;     ///< Queues notification messages for the event-thread.
249   TransformManager               transformManager;        ///< Used to update the transformation matrices of the nodes
250   CompleteNotificationInterface& animationPlaylist;       ///< Holds handles to all the animations
251   PropertyNotifier&              propertyNotifier;        ///< Provides notification to applications when properties are modified.
252   ShaderSaver*                   shaderSaver;             ///< Saves shader binaries.
253   DiscardQueue&                  discardQueue;            ///< Nodes are added here when disconnected from the scene-graph.
254   RenderController&              renderController;        ///< render controller
255   SceneControllerImpl*           sceneController;         ///< scene controller
256   RenderManager&                 renderManager;           ///< This is responsible for rendering the results of each "update"
257   RenderQueue&                   renderQueue;             ///< Used to queue messages for the next render
258   RenderTaskProcessor&           renderTaskProcessor;     ///< Handles RenderTasks and RenderInstrucitons
259
260   Vector4 backgroundColor; ///< The glClear color used at the beginning of each frame.
261
262   using SceneInfoPtr = std::unique_ptr<SceneInfo>;
263   std::vector<SceneInfoPtr> scenes; ///< A container of SceneInfo.
264
265   Vector<Node*> nodes; ///< A container of all instantiated nodes
266
267   OwnerContainer<Camera*>        cameras;       ///< A container of cameras
268   OwnerContainer<PropertyOwner*> customObjects; ///< A container of owned objects (with custom properties)
269
270   OwnerContainer<PropertyResetterBase*> propertyResetters;     ///< A container of property resetters
271   OwnerContainer<Animation*>            animations;            ///< A container of owned animations
272   PropertyNotificationContainer         propertyNotifications; ///< A container of owner property notifications.
273   OwnerContainer<Renderer*>             renderers;             ///< A container of owned renderers
274   OwnerContainer<TextureSet*>           textureSets;           ///< A container of owned texture sets
275   OwnerContainer<Shader*>               shaders;               ///< A container of owned shaders
276   OwnerPointer<PanGesture>              panGestureProcessor;   ///< Owned pan gesture processor; it lives for the lifecycle of UpdateManager
277
278   MessageQueue                         messageQueue;          ///< The messages queued from the event-thread
279   std::vector<Internal::ShaderDataPtr> renderCompiledShaders; ///< Shaders compiled on Render thread are inserted here for update thread to pass on to event thread.
280   std::vector<Internal::ShaderDataPtr> updateCompiledShaders; ///< Shaders to be sent from Update to Event
281   Mutex                                compiledShaderMutex;   ///< lock to ensure no corruption on the renderCompiledShaders
282
283   OwnerPointer<FrameCallbackProcessor> frameCallbackProcessor; ///< Owned FrameCallbackProcessor, only created if required.
284
285   float             keepRenderingSeconds; ///< Set via Dali::Stage::KeepRendering
286   NodePropertyFlags nodeDirtyFlags;       ///< cumulative node dirty flags from previous frame
287   uint32_t          frameCounter;         ///< Frame counter used in debugging to choose which frame to debug and which to ignore.
288
289   DevelStage::Rendering renderingBehavior; ///< Set via DevelStage::SetRenderingBehavior
290
291   bool animationFinishedDuringUpdate; ///< Flag whether any animations finished during the Update()
292   bool previousUpdateScene;           ///< True if the scene was updated in the previous frame (otherwise it was optimized out)
293   bool renderTaskWaiting;             ///< A REFRESH_ONCE render task is waiting to be rendered
294   bool renderersAdded;                ///< Flag to keep track when renderers have been added to avoid unnecessary processing
295   bool renderingRequired;             ///< True if required to render the current frame
296
297 private:
298   Impl(const Impl&);            ///< Undefined
299   Impl& operator=(const Impl&); ///< Undefined
300 };
301
302 UpdateManager::UpdateManager(NotificationManager&           notificationManager,
303                              CompleteNotificationInterface& animationFinishedNotifier,
304                              PropertyNotifier&              propertyNotifier,
305                              DiscardQueue&                  discardQueue,
306                              RenderController&              controller,
307                              RenderManager&                 renderManager,
308                              RenderQueue&                   renderQueue,
309                              RenderTaskProcessor&           renderTaskProcessor)
310 : mImpl(nullptr)
311 {
312   mImpl = new Impl(notificationManager,
313                    animationFinishedNotifier,
314                    propertyNotifier,
315                    discardQueue,
316                    controller,
317                    renderManager,
318                    renderQueue,
319                    mSceneGraphBuffers,
320                    renderTaskProcessor);
321 }
322
323 UpdateManager::~UpdateManager()
324 {
325   delete mImpl;
326 }
327
328 void UpdateManager::InstallRoot(OwnerPointer<Layer>& layer)
329 {
330   DALI_ASSERT_DEBUG(layer->IsLayer());
331   DALI_ASSERT_DEBUG(layer->GetParent() == NULL);
332
333   Layer* rootLayer = layer.Release();
334
335   DALI_ASSERT_DEBUG(std::find_if(mImpl->scenes.begin(), mImpl->scenes.end(), [rootLayer](Impl::SceneInfoPtr& scene) {
336                       return scene && scene->root == rootLayer;
337                     }) == mImpl->scenes.end() &&
338                     "Root Node already installed");
339
340   rootLayer->CreateTransform(&mImpl->transformManager);
341   rootLayer->SetRoot(true);
342
343   mImpl->scenes.emplace_back(new Impl::SceneInfo(rootLayer));
344 }
345
346 void UpdateManager::UninstallRoot(Layer* layer)
347 {
348   DALI_ASSERT_DEBUG(layer->IsLayer());
349   DALI_ASSERT_DEBUG(layer->GetParent() == NULL);
350
351   for(auto iter = mImpl->scenes.begin(); iter != mImpl->scenes.end(); ++iter)
352   {
353     if((*iter) && (*iter)->root == layer)
354     {
355       mImpl->scenes.erase(iter);
356       break;
357     }
358   }
359
360   mImpl->discardQueue.Add(mSceneGraphBuffers.GetUpdateBufferIndex(), layer);
361
362   // Notify the layer about impending destruction
363   layer->OnDestroy();
364 }
365
366 void UpdateManager::AddNode(OwnerPointer<Node>& node)
367 {
368   DALI_ASSERT_ALWAYS(nullptr == node->GetParent()); // Should not have a parent yet
369
370   Node* rawNode = node.Release();
371   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] AddNode\n", rawNode);
372
373   mImpl->nodes.PushBack(rawNode);
374   rawNode->CreateTransform(&mImpl->transformManager);
375 }
376
377 void UpdateManager::ConnectNode(Node* parent, Node* node)
378 {
379   DALI_ASSERT_ALWAYS(nullptr != parent);
380   DALI_ASSERT_ALWAYS(nullptr != node);
381   DALI_ASSERT_ALWAYS(nullptr == node->GetParent()); // Should not have a parent yet
382
383   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] ConnectNode\n", node);
384
385   parent->ConnectChild(node);
386
387   // Inform the frame-callback-processor, if set, about the node-hierarchy changing
388   if(mImpl->frameCallbackProcessor)
389   {
390     mImpl->frameCallbackProcessor->NodeHierarchyChanged();
391   }
392 }
393
394 void UpdateManager::DisconnectNode(Node* node)
395 {
396   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] DisconnectNode\n", node);
397
398   Node* parent = node->GetParent();
399   DALI_ASSERT_ALWAYS(nullptr != parent);
400   parent->SetDirtyFlag(NodePropertyFlags::CHILD_DELETED); // make parent dirty so that render items dont get reused
401
402   parent->DisconnectChild(mSceneGraphBuffers.GetUpdateBufferIndex(), *node);
403
404   // Inform the frame-callback-processor, if set, about the node-hierarchy changing
405   if(mImpl->frameCallbackProcessor)
406   {
407     mImpl->frameCallbackProcessor->NodeHierarchyChanged();
408   }
409 }
410
411 void UpdateManager::DestroyNode(Node* node)
412 {
413   DALI_ASSERT_ALWAYS(nullptr != node);
414   DALI_ASSERT_ALWAYS(nullptr == node->GetParent()); // Should have been disconnected
415
416   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] DestroyNode\n", node);
417
418   Vector<Node*>::Iterator iter    = mImpl->nodes.Begin() + 1;
419   Vector<Node*>::Iterator endIter = mImpl->nodes.End();
420   for(; iter != endIter; ++iter)
421   {
422     if((*iter) == node)
423     {
424       mImpl->nodes.Erase(iter);
425       break;
426     }
427   }
428
429   mImpl->discardQueue.Add(mSceneGraphBuffers.GetUpdateBufferIndex(), node);
430
431   // Notify the Node about impending destruction
432   node->OnDestroy();
433 }
434
435 void UpdateManager::AddCamera(OwnerPointer<Camera>& camera)
436 {
437   mImpl->cameras.PushBack(camera.Release()); // takes ownership
438 }
439
440 void UpdateManager::RemoveCamera(Camera* camera)
441 {
442   // Find the camera and destroy it
443   EraseUsingDiscardQueue(mImpl->cameras, camera, mImpl->discardQueue, mSceneGraphBuffers.GetUpdateBufferIndex());
444 }
445
446 void UpdateManager::AddObject(OwnerPointer<PropertyOwner>& object)
447 {
448   mImpl->customObjects.PushBack(object.Release());
449 }
450
451 void UpdateManager::RemoveObject(PropertyOwner* object)
452 {
453   mImpl->customObjects.EraseObject(object);
454 }
455
456 void UpdateManager::AddRenderTaskList(OwnerPointer<RenderTaskList>& taskList)
457 {
458   RenderTaskList* taskListPointer = taskList.Release();
459   taskListPointer->SetRenderMessageDispatcher(&mImpl->renderMessageDispatcher);
460
461   mImpl->scenes.back()->taskList = taskListPointer;
462 }
463
464 void UpdateManager::RemoveRenderTaskList(RenderTaskList* taskList)
465 {
466   for(auto&& scene : mImpl->scenes)
467   {
468     if(scene && scene->taskList == taskList)
469     {
470       scene->taskList.Reset();
471       break;
472     }
473   }
474 }
475
476 void UpdateManager::AddScene(OwnerPointer<Scene>& scene)
477 {
478   mImpl->scenes.back()->scene = scene.Release();
479
480   // Initialize the context from render manager
481   typedef MessageValue1<RenderManager, SceneGraph::Scene*> DerivedType;
482
483   // Reserve some memory inside the render queue
484   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
485
486   // Construct message in the render queue memory; note that delete should not be called on the return value
487   SceneGraph::Scene& sceneObject = *mImpl->scenes.back()->scene;
488   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::InitializeScene, &sceneObject);
489 }
490
491 void UpdateManager::RemoveScene(Scene* scene)
492 {
493   // Initialize the context from render manager
494   using DerivedType = MessageValue1<RenderManager, SceneGraph::Scene*>;
495
496   // Reserve some memory inside the render queue
497   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
498
499   // Construct message in the render queue memory; note that delete should not be called on the return value
500   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::UninitializeScene, scene);
501
502   for(auto&& sceneInfo : mImpl->scenes)
503   {
504     if(sceneInfo && sceneInfo->scene && sceneInfo->scene.Get() == scene)
505     {
506       mImpl->discardQueue.Add(mSceneGraphBuffers.GetUpdateBufferIndex(), sceneInfo->scene.Release()); // take the address of the reference to a pointer
507       break;
508     }
509   }
510 }
511
512 void UpdateManager::AddAnimation(OwnerPointer<SceneGraph::Animation>& animation)
513 {
514   mImpl->animations.PushBack(animation.Release());
515 }
516
517 void UpdateManager::StopAnimation(Animation* animation)
518 {
519   DALI_ASSERT_DEBUG(animation && "NULL animation called to stop");
520
521   bool animationFinished = animation->Stop(mSceneGraphBuffers.GetUpdateBufferIndex());
522
523   mImpl->animationFinishedDuringUpdate = mImpl->animationFinishedDuringUpdate || animationFinished;
524 }
525
526 void UpdateManager::RemoveAnimation(Animation* animation)
527 {
528   DALI_ASSERT_DEBUG(animation && "NULL animation called to remove");
529
530   animation->OnDestroy(mSceneGraphBuffers.GetUpdateBufferIndex());
531
532   DALI_ASSERT_DEBUG(animation->GetState() == Animation::Destroyed);
533 }
534
535 bool UpdateManager::IsAnimationRunning() const
536 {
537   // Find any animation that isn't stopped or paused
538   for(auto&& iter : mImpl->animations)
539   {
540     const Animation::State state = iter->GetState();
541
542     if(state != Animation::Stopped &&
543        state != Animation::Paused)
544     {
545       return true; // stop iteration as soon as first one is found
546     }
547   }
548
549   return false;
550 }
551
552 void UpdateManager::AddPropertyResetter(OwnerPointer<PropertyResetterBase>& propertyResetter)
553 {
554   propertyResetter->Initialize();
555   mImpl->propertyResetters.PushBack(propertyResetter.Release());
556 }
557
558 void UpdateManager::AddPropertyNotification(OwnerPointer<PropertyNotification>& propertyNotification)
559 {
560   mImpl->propertyNotifications.PushBack(propertyNotification.Release());
561 }
562
563 void UpdateManager::RemovePropertyNotification(PropertyNotification* propertyNotification)
564 {
565   mImpl->propertyNotifications.EraseObject(propertyNotification);
566 }
567
568 void UpdateManager::PropertyNotificationSetNotify(PropertyNotification* propertyNotification, PropertyNotification::NotifyMode notifyMode)
569 {
570   DALI_ASSERT_DEBUG(propertyNotification && "propertyNotification scene graph object missing");
571   propertyNotification->SetNotifyMode(notifyMode);
572 }
573
574 void UpdateManager::AddShader(OwnerPointer<Shader>& shader)
575 {
576   mImpl->shaders.PushBack(shader.Release());
577 }
578
579 void UpdateManager::RemoveShader(Shader* shader)
580 {
581   // Find the shader and destroy it
582   EraseUsingDiscardQueue(mImpl->shaders, shader, mImpl->discardQueue, mSceneGraphBuffers.GetUpdateBufferIndex());
583 }
584
585 void UpdateManager::SaveBinary(Internal::ShaderDataPtr shaderData)
586 {
587   DALI_ASSERT_DEBUG(shaderData && "No NULL shader data pointers please.");
588   DALI_ASSERT_DEBUG(shaderData->GetBufferSize() > 0 && "Shader binary empty so nothing to save.");
589   {
590     // lock as update might be sending previously compiled shaders to event thread
591     Mutex::ScopedLock lock(mImpl->compiledShaderMutex);
592     mImpl->renderCompiledShaders.push_back(shaderData);
593   }
594 }
595
596 void UpdateManager::SetShaderSaver(ShaderSaver& upstream)
597 {
598   mImpl->shaderSaver = &upstream;
599 }
600
601 void UpdateManager::AddRenderer(OwnerPointer<Renderer>& renderer)
602 {
603   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] AddRenderer\n", renderer.Get());
604
605   renderer->ConnectToSceneGraph(*mImpl->sceneController, mSceneGraphBuffers.GetUpdateBufferIndex());
606   mImpl->renderers.PushBack(renderer.Release());
607 }
608
609 void UpdateManager::RemoveRenderer(Renderer* renderer)
610 {
611   DALI_LOG_INFO(gLogFilter, Debug::General, "[%x] RemoveRenderer\n", renderer);
612
613   // Find the renderer and destroy it
614   EraseUsingDiscardQueue(mImpl->renderers, renderer, mImpl->discardQueue, mSceneGraphBuffers.GetUpdateBufferIndex());
615   // Need to remove the render object as well
616   renderer->DisconnectFromSceneGraph(*mImpl->sceneController, mSceneGraphBuffers.GetUpdateBufferIndex());
617 }
618
619 void UpdateManager::AttachRenderer(Node* node, Renderer* renderer)
620 {
621   node->AddRenderer(renderer);
622   mImpl->renderersAdded = true;
623 }
624
625 void UpdateManager::SetPanGestureProcessor(PanGesture* panGestureProcessor)
626 {
627   DALI_ASSERT_DEBUG(NULL != panGestureProcessor);
628
629   mImpl->panGestureProcessor = panGestureProcessor;
630 }
631
632 void UpdateManager::AddTextureSet(OwnerPointer<TextureSet>& textureSet)
633 {
634   mImpl->textureSets.PushBack(textureSet.Release());
635 }
636
637 void UpdateManager::RemoveTextureSet(TextureSet* textureSet)
638 {
639   mImpl->textureSets.EraseObject(textureSet);
640 }
641
642 uint32_t* UpdateManager::ReserveMessageSlot(uint32_t size, bool updateScene)
643 {
644   return mImpl->messageQueue.ReserveMessageSlot(size, updateScene);
645 }
646
647 void UpdateManager::EventProcessingStarted()
648 {
649   mImpl->messageQueue.EventProcessingStarted();
650 }
651
652 bool UpdateManager::FlushQueue()
653 {
654   return mImpl->messageQueue.FlushQueue();
655 }
656
657 void UpdateManager::ResetProperties(BufferIndex bufferIndex)
658 {
659   // Clear the "animations finished" flag; This should be set if any (previously playing) animation is stopped
660   mImpl->animationFinishedDuringUpdate = false;
661
662   // Reset all animating / constrained properties
663   std::vector<PropertyResetterBase*> toDelete;
664   for(auto&& element : mImpl->propertyResetters)
665   {
666     element->ResetToBaseValue(bufferIndex);
667     if(element->IsFinished())
668     {
669       toDelete.push_back(element);
670     }
671   }
672
673   // If a resetter is no longer required (the animator or constraint has been removed), delete it.
674   for(auto&& elementPtr : toDelete)
675   {
676     mImpl->propertyResetters.EraseObject(elementPtr);
677   }
678
679   // Clear all root nodes dirty flags
680   for(auto& scene : mImpl->scenes)
681   {
682     auto root = scene->root;
683     root->ResetDirtyFlags(bufferIndex);
684   }
685
686   // Clear node dirty flags
687   Vector<Node*>::Iterator iter    = mImpl->nodes.Begin() + 1;
688   Vector<Node*>::Iterator endIter = mImpl->nodes.End();
689   for(; iter != endIter; ++iter)
690   {
691     (*iter)->ResetDirtyFlags(bufferIndex);
692   }
693 }
694
695 bool UpdateManager::ProcessGestures(BufferIndex bufferIndex, uint32_t lastVSyncTimeMilliseconds, uint32_t nextVSyncTimeMilliseconds)
696 {
697   bool gestureUpdated(false);
698
699   if(mImpl->panGestureProcessor)
700   {
701     // gesture processor only supports default properties
702     mImpl->panGestureProcessor->ResetDefaultProperties(bufferIndex); // Needs to be done every time as gesture data is written directly to an update-buffer rather than via a message
703     gestureUpdated |= mImpl->panGestureProcessor->UpdateProperties(lastVSyncTimeMilliseconds, nextVSyncTimeMilliseconds);
704   }
705
706   return gestureUpdated;
707 }
708
709 bool UpdateManager::Animate(BufferIndex bufferIndex, float elapsedSeconds)
710 {
711   bool animationActive = false;
712
713   auto&& iter            = mImpl->animations.Begin();
714   bool   animationLooped = false;
715
716   while(iter != mImpl->animations.End())
717   {
718     Animation* animation             = *iter;
719     bool       finished              = false;
720     bool       looped                = false;
721     bool       progressMarkerReached = false;
722     animation->Update(bufferIndex, elapsedSeconds, looped, finished, progressMarkerReached);
723
724     animationActive = animationActive || animation->IsActive();
725
726     if(progressMarkerReached)
727     {
728       mImpl->notificationManager.QueueMessage(Internal::NotifyProgressReachedMessage(mImpl->animationPlaylist, animation));
729     }
730
731     mImpl->animationFinishedDuringUpdate = mImpl->animationFinishedDuringUpdate || finished;
732     animationLooped                      = animationLooped || looped;
733
734     // Remove animations that had been destroyed but were still waiting for an update
735     if(animation->GetState() == Animation::Destroyed)
736     {
737       iter = mImpl->animations.Erase(iter);
738     }
739     else
740     {
741       ++iter;
742     }
743   }
744
745   // queue the notification on finished or looped (to update loop count)
746   if(mImpl->animationFinishedDuringUpdate || animationLooped)
747   {
748     // The application should be notified by NotificationManager, in another thread
749     mImpl->notificationManager.QueueCompleteNotification(&mImpl->animationPlaylist);
750   }
751
752   return animationActive;
753 }
754
755 void UpdateManager::ConstrainCustomObjects(BufferIndex bufferIndex)
756 {
757   //Constrain custom objects (in construction order)
758   for(auto&& object : mImpl->customObjects)
759   {
760     ConstrainPropertyOwner(*object, bufferIndex);
761   }
762 }
763
764 void UpdateManager::ConstrainRenderTasks(BufferIndex bufferIndex)
765 {
766   // Constrain render-tasks
767   for(auto&& scene : mImpl->scenes)
768   {
769     if(scene && scene->taskList)
770     {
771       RenderTaskList::RenderTaskContainer& tasks = scene->taskList->GetTasks();
772       for(auto&& task : tasks)
773       {
774         ConstrainPropertyOwner(*task, bufferIndex);
775       }
776     }
777   }
778 }
779
780 void UpdateManager::ConstrainShaders(BufferIndex bufferIndex)
781 {
782   // constrain shaders... (in construction order)
783   for(auto&& shader : mImpl->shaders)
784   {
785     ConstrainPropertyOwner(*shader, bufferIndex);
786   }
787 }
788
789 void UpdateManager::ProcessPropertyNotifications(BufferIndex bufferIndex)
790 {
791   for(auto&& notification : mImpl->propertyNotifications)
792   {
793     bool valid = notification->Check(bufferIndex);
794     if(valid)
795     {
796       mImpl->notificationManager.QueueMessage(PropertyChangedMessage(mImpl->propertyNotifier, notification, notification->GetValidity()));
797     }
798   }
799 }
800
801 void UpdateManager::ForwardCompiledShadersToEventThread()
802 {
803   DALI_ASSERT_DEBUG((mImpl->shaderSaver != 0) && "shaderSaver should be wired-up during startup.");
804   if(mImpl->shaderSaver)
805   {
806     // lock and swap the queues
807     {
808       // render might be attempting to send us more binaries at the same time
809       Mutex::ScopedLock lock(mImpl->compiledShaderMutex);
810       mImpl->renderCompiledShaders.swap(mImpl->updateCompiledShaders);
811     }
812
813     if(mImpl->updateCompiledShaders.size() > 0)
814     {
815       ShaderSaver& factory = *mImpl->shaderSaver;
816       for(auto&& shader : mImpl->updateCompiledShaders)
817       {
818         mImpl->notificationManager.QueueMessage(ShaderCompiledMessage(factory, shader));
819       }
820       // we don't need them in update anymore
821       mImpl->updateCompiledShaders.clear();
822     }
823   }
824 }
825
826 void UpdateManager::UpdateRenderers(BufferIndex bufferIndex)
827 {
828   for(auto&& renderer : mImpl->renderers)
829   {
830     //Apply constraints
831     ConstrainPropertyOwner(*renderer, bufferIndex);
832
833     mImpl->renderingRequired = renderer->PrepareRender(bufferIndex) || mImpl->renderingRequired;
834   }
835 }
836
837 void UpdateManager::UpdateNodes(BufferIndex bufferIndex)
838 {
839   mImpl->nodeDirtyFlags = NodePropertyFlags::NOTHING;
840
841   for(auto&& scene : mImpl->scenes)
842   {
843     if(scene && scene->root)
844     {
845       // Prepare resources, update shaders, for each node
846       // And add the renderers to the sorted layers. Start from root, which is also a layer
847       mImpl->nodeDirtyFlags |= UpdateNodeTree(*scene->root,
848                                               bufferIndex,
849                                               mImpl->renderQueue);
850     }
851   }
852 }
853
854 uint32_t UpdateManager::Update(float    elapsedSeconds,
855                                uint32_t lastVSyncTimeMilliseconds,
856                                uint32_t nextVSyncTimeMilliseconds,
857                                bool     renderToFboEnabled,
858                                bool     isRenderingToFbo)
859 {
860   const BufferIndex bufferIndex = mSceneGraphBuffers.GetUpdateBufferIndex();
861
862   //Clear nodes/resources which were previously discarded
863   mImpl->discardQueue.Clear(bufferIndex);
864
865   bool isAnimationRunning = IsAnimationRunning();
866
867   //Process Touches & Gestures
868   const bool gestureUpdated = ProcessGestures(bufferIndex, lastVSyncTimeMilliseconds, nextVSyncTimeMilliseconds);
869
870   bool updateScene =                                   // The scene-graph requires an update if..
871     (mImpl->nodeDirtyFlags & RenderableUpdateFlags) || // ..nodes were dirty in previous frame OR
872     isAnimationRunning ||                              // ..at least one animation is running OR
873     mImpl->messageQueue.IsSceneUpdateRequired() ||     // ..a message that modifies the scene graph node tree is queued OR
874     mImpl->frameCallbackProcessor ||                   // ..a frame callback processor is existed OR
875     gestureUpdated;                                    // ..a gesture property was updated
876
877   bool keepRendererRendering = false;
878   mImpl->renderingRequired   = false;
879
880   // Although the scene-graph may not require an update, we still need to synchronize double-buffered
881   // values if the scene was updated in the previous frame.
882   if(updateScene || mImpl->previousUpdateScene)
883   {
884     //Reset properties from the previous update
885     ResetProperties(bufferIndex);
886     mImpl->transformManager.ResetToBaseValue();
887   }
888
889   // Process the queued scene messages. Note, MessageQueue::FlushQueue may be called
890   // between calling IsSceneUpdateRequired() above and here, so updateScene should
891   // be set again
892   updateScene |= mImpl->messageQueue.ProcessMessages(bufferIndex);
893
894   //Forward compiled shader programs to event thread for saving
895   ForwardCompiledShadersToEventThread();
896
897   // Although the scene-graph may not require an update, we still need to synchronize double-buffered
898   // renderer lists if the scene was updated in the previous frame.
899   // We should not start skipping update steps or reusing lists until there has been two frames where nothing changes
900   if(updateScene || mImpl->previousUpdateScene)
901   {
902     //Animate
903     bool animationActive = Animate(bufferIndex, elapsedSeconds);
904
905     //Constraint custom objects
906     ConstrainCustomObjects(bufferIndex);
907
908     //Clear the lists of renderers from the previous update
909     for(auto&& scene : mImpl->scenes)
910     {
911       if(scene)
912       {
913         for(auto&& layer : scene->sortedLayerList)
914         {
915           if(layer)
916           {
917             layer->ClearRenderables();
918           }
919         }
920       }
921     }
922
923     // Call the frame-callback-processor if set
924     if(mImpl->frameCallbackProcessor)
925     {
926       mImpl->frameCallbackProcessor->Update(bufferIndex, elapsedSeconds);
927     }
928
929     //Update node hierarchy, apply constraints and perform sorting / culling.
930     //This will populate each Layer with a list of renderers which are ready.
931     UpdateNodes(bufferIndex);
932
933     //Apply constraints to RenderTasks, shaders
934     ConstrainRenderTasks(bufferIndex);
935     ConstrainShaders(bufferIndex);
936
937     //Update renderers and apply constraints
938     UpdateRenderers(bufferIndex);
939
940     //Update the transformations of all the nodes
941     if(mImpl->transformManager.Update())
942     {
943       mImpl->nodeDirtyFlags |= NodePropertyFlags::TRANSFORM;
944     }
945
946     //Process Property Notifications
947     ProcessPropertyNotifications(bufferIndex);
948
949     //Update cameras
950     for(auto&& cameraIterator : mImpl->cameras)
951     {
952       cameraIterator->Update(bufferIndex);
953     }
954
955     //Process the RenderTasks if renderers exist. This creates the instructions for rendering the next frame.
956     //reset the update buffer index and make sure there is enough room in the instruction container
957     if(mImpl->renderersAdded)
958     {
959       // Calculate how many render tasks we have in total
960       std::size_t numberOfRenderTasks = 0;
961       for(auto&& scene : mImpl->scenes)
962       {
963         if(scene && scene->taskList)
964         {
965           numberOfRenderTasks += scene->taskList->GetTasks().Count();
966         }
967       }
968
969       std::size_t numberOfRenderInstructions = 0;
970       for(auto&& scene : mImpl->scenes)
971       {
972         if(scene && scene->root && scene->taskList && scene->scene)
973         {
974           scene->scene->GetRenderInstructions().ResetAndReserve(bufferIndex,
975                                                                 static_cast<uint32_t>(scene->taskList->GetTasks().Count()));
976
977           // If there are animations running, only add render instruction if at least one animation is currently active (i.e. not delayed)
978           // or the nodes are dirty
979           if(!isAnimationRunning || animationActive || mImpl->renderingRequired || (mImpl->nodeDirtyFlags & RenderableUpdateFlags))
980           {
981             keepRendererRendering |= mImpl->renderTaskProcessor.Process(bufferIndex,
982                                                                         *scene->taskList,
983                                                                         *scene->root,
984                                                                         scene->sortedLayerList,
985                                                                         scene->scene->GetRenderInstructions(),
986                                                                         renderToFboEnabled,
987                                                                         isRenderingToFbo);
988
989             scene->scene->SetSkipRendering(false);
990           }
991           else
992           {
993             scene->scene->SetSkipRendering(true);
994           }
995
996           numberOfRenderInstructions += scene->scene->GetRenderInstructions().Count(bufferIndex);
997         }
998       }
999
1000       DALI_LOG_INFO(gLogFilter, Debug::General, "Update: numberOfRenderTasks(%d), Render Instructions(%d)\n", numberOfRenderTasks, numberOfRenderInstructions);
1001     }
1002   }
1003
1004   for(auto&& scene : mImpl->scenes)
1005   {
1006     if(scene && scene->root && scene->taskList)
1007     {
1008       RenderTaskList::RenderTaskContainer& tasks = scene->taskList->GetTasks();
1009
1010       // check the countdown and notify
1011       bool doRenderOnceNotify  = false;
1012       mImpl->renderTaskWaiting = false;
1013       for(auto&& renderTask : tasks)
1014       {
1015         renderTask->UpdateState();
1016
1017         if(renderTask->IsWaitingToRender() &&
1018            renderTask->ReadyToRender(bufferIndex) /*avoid updating forever when source actor is off-stage*/)
1019         {
1020           mImpl->renderTaskWaiting = true; // keep update/render threads alive
1021         }
1022
1023         if(renderTask->HasRendered())
1024         {
1025           doRenderOnceNotify = true;
1026         }
1027       }
1028
1029       if(doRenderOnceNotify)
1030       {
1031         DALI_LOG_INFO(gRenderTaskLogFilter, Debug::General, "Notify a render task has finished\n");
1032         mImpl->notificationManager.QueueCompleteNotification(scene->taskList->GetCompleteNotificationInterface());
1033       }
1034     }
1035   }
1036
1037   // Macro is undefined in release build.
1038   SNAPSHOT_NODE_LOGGING;
1039
1040   // A ResetProperties() may be required in the next frame
1041   mImpl->previousUpdateScene = updateScene;
1042
1043   // Check whether further updates are required
1044   uint32_t keepUpdating = KeepUpdatingCheck(elapsedSeconds);
1045
1046   if(keepRendererRendering)
1047   {
1048     keepUpdating |= KeepUpdating::STAGE_KEEP_RENDERING;
1049
1050     // Set dirty flags for next frame to continue rendering
1051     mImpl->nodeDirtyFlags |= RenderableUpdateFlags;
1052   }
1053
1054   // tell the update manager that we're done so the queue can be given to event thread
1055   mImpl->notificationManager.UpdateCompleted();
1056
1057   // The update has finished; swap the double-buffering indices
1058   mSceneGraphBuffers.Swap();
1059
1060   return keepUpdating;
1061 }
1062
1063 uint32_t UpdateManager::KeepUpdatingCheck(float elapsedSeconds) const
1064 {
1065   // Update the duration set via Stage::KeepRendering()
1066   if(mImpl->keepRenderingSeconds > 0.0f)
1067   {
1068     mImpl->keepRenderingSeconds -= elapsedSeconds;
1069   }
1070
1071   uint32_t keepUpdatingRequest = KeepUpdating::NOT_REQUESTED;
1072
1073   // If the rendering behavior is set to continuously render, then continue to render.
1074   // If Stage::KeepRendering() has been called, then continue until the duration has elapsed.
1075   // Keep updating until no messages are received and no animations are running.
1076   // If an animation has just finished, update at least once more for Discard end-actions.
1077   // No need to check for renderQueue as there is always a render after update and if that
1078   // render needs another update it will tell the adaptor to call update again
1079
1080   if((mImpl->renderingBehavior == DevelStage::Rendering::CONTINUOUSLY) ||
1081      (mImpl->keepRenderingSeconds > 0.0f))
1082   {
1083     keepUpdatingRequest |= KeepUpdating::STAGE_KEEP_RENDERING;
1084   }
1085
1086   if(IsAnimationRunning() ||
1087      mImpl->animationFinishedDuringUpdate)
1088   {
1089     keepUpdatingRequest |= KeepUpdating::ANIMATIONS_RUNNING;
1090   }
1091
1092   if(mImpl->renderTaskWaiting)
1093   {
1094     keepUpdatingRequest |= KeepUpdating::RENDER_TASK_SYNC;
1095   }
1096
1097   return keepUpdatingRequest;
1098 }
1099
1100 void UpdateManager::SurfaceReplaced(Scene* scene)
1101 {
1102   using DerivedType = MessageValue1<RenderManager, Scene*>;
1103
1104   // Reserve some memory inside the render queue
1105   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1106
1107   // Construct message in the render queue memory; note that delete should not be called on the return value
1108   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SurfaceReplaced, scene);
1109 }
1110
1111 void UpdateManager::KeepRendering(float durationSeconds)
1112 {
1113   mImpl->keepRenderingSeconds = std::max(mImpl->keepRenderingSeconds, durationSeconds);
1114 }
1115
1116 void UpdateManager::SetRenderingBehavior(DevelStage::Rendering renderingBehavior)
1117 {
1118   mImpl->renderingBehavior = renderingBehavior;
1119 }
1120
1121 void UpdateManager::RequestRendering()
1122 {
1123   mImpl->renderingRequired = true;
1124 }
1125
1126 void UpdateManager::SetLayerDepths(const SortedLayerPointers& layers, const Layer* rootLayer)
1127 {
1128   for(auto&& scene : mImpl->scenes)
1129   {
1130     if(scene && scene->root == rootLayer)
1131     {
1132       scene->sortedLayerList = layers;
1133       break;
1134     }
1135   }
1136 }
1137
1138 void UpdateManager::SetDepthIndices(OwnerPointer<NodeDepths>& nodeDepths)
1139 {
1140   // note,this vector is already in depth order. It could be used as-is to
1141   // remove sorting in update algorithm. However, it lacks layer boundary markers.
1142   for(auto&& iter : nodeDepths->nodeDepths)
1143   {
1144     iter.node->SetDepthIndex(iter.sortedDepth);
1145   }
1146
1147   for(auto&& scene : mImpl->scenes)
1148   {
1149     if(scene)
1150     {
1151       // Go through node hierarchy and rearrange siblings according to depth-index
1152       SortSiblingNodesRecursively(*scene->root);
1153     }
1154   }
1155 }
1156
1157 void UpdateManager::AddFrameCallback(OwnerPointer<FrameCallback>& frameCallback, const Node* rootNode)
1158 {
1159   mImpl->GetFrameCallbackProcessor(*this).AddFrameCallback(frameCallback, rootNode);
1160 }
1161
1162 void UpdateManager::RemoveFrameCallback(FrameCallbackInterface* frameCallback)
1163 {
1164   mImpl->GetFrameCallbackProcessor(*this).RemoveFrameCallback(frameCallback);
1165 }
1166
1167 void UpdateManager::AddSampler(OwnerPointer<Render::Sampler>& sampler)
1168 {
1169   // Message has ownership of Sampler while in transit from update to render
1170   using DerivedType = MessageValue1<RenderManager, OwnerPointer<Render::Sampler> >;
1171
1172   // Reserve some memory inside the render queue
1173   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1174
1175   // Construct message in the render queue memory; note that delete should not be called on the return value
1176   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AddSampler, sampler);
1177 }
1178
1179 void UpdateManager::RemoveSampler(Render::Sampler* sampler)
1180 {
1181   using DerivedType = MessageValue1<RenderManager, Render::Sampler*>;
1182
1183   // Reserve some memory inside the render queue
1184   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1185
1186   // Construct message in the render queue memory; note that delete should not be called on the return value
1187   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveSampler, sampler);
1188 }
1189
1190 void UpdateManager::SetFilterMode(Render::Sampler* sampler, uint32_t minFilterMode, uint32_t magFilterMode)
1191 {
1192   using DerivedType = MessageValue3<RenderManager, Render::Sampler*, uint32_t, uint32_t>;
1193
1194   // Reserve some memory inside the render queue
1195   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1196
1197   // Construct message in the render queue memory; note that delete should not be called on the return value
1198   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SetFilterMode, sampler, minFilterMode, magFilterMode);
1199 }
1200
1201 void UpdateManager::SetWrapMode(Render::Sampler* sampler, uint32_t rWrapMode, uint32_t sWrapMode, uint32_t tWrapMode)
1202 {
1203   using DerivedType = MessageValue4<RenderManager, Render::Sampler*, uint32_t, uint32_t, uint32_t>;
1204
1205   // Reserve some memory inside the render queue
1206   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1207
1208   // Construct message in the render queue memory; note that delete should not be called on the return value
1209   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SetWrapMode, sampler, rWrapMode, sWrapMode, tWrapMode);
1210 }
1211
1212 void UpdateManager::AddVertexBuffer(OwnerPointer<Render::VertexBuffer>& vertexBuffer)
1213 {
1214   // Message has ownership of format while in transit from update -> render
1215   using DerivedType = MessageValue1<RenderManager, OwnerPointer<Render::VertexBuffer> >;
1216
1217   // Reserve some memory inside the render queue
1218   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1219
1220   // Construct message in the render queue memory; note that delete should not be called on the return value
1221   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AddVertexBuffer, vertexBuffer);
1222 }
1223
1224 void UpdateManager::RemoveVertexBuffer(Render::VertexBuffer* vertexBuffer)
1225 {
1226   using DerivedType = MessageValue1<RenderManager, Render::VertexBuffer*>;
1227
1228   // Reserve some memory inside the render queue
1229   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1230
1231   // Construct message in the render queue memory; note that delete should not be called on the return value
1232   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveVertexBuffer, vertexBuffer);
1233 }
1234
1235 void UpdateManager::SetVertexBufferFormat(Render::VertexBuffer* vertexBuffer, OwnerPointer<Render::VertexBuffer::Format>& format)
1236 {
1237   // Message has ownership of format while in transit from update -> render
1238   using DerivedType = MessageValue2<RenderManager, Render::VertexBuffer*, OwnerPointer<Render::VertexBuffer::Format> >;
1239
1240   // Reserve some memory inside the render queue
1241   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1242
1243   // Construct message in the render queue memory; note that delete should not be called on the return value
1244   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SetVertexBufferFormat, vertexBuffer, format);
1245 }
1246
1247 void UpdateManager::SetVertexBufferData(Render::VertexBuffer* vertexBuffer, OwnerPointer<Vector<uint8_t> >& data, uint32_t size)
1248 {
1249   // Message has ownership of format while in transit from update -> render
1250   using DerivedType = MessageValue3<RenderManager, Render::VertexBuffer*, OwnerPointer<Dali::Vector<uint8_t> >, uint32_t>;
1251
1252   // Reserve some memory inside the render queue
1253   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1254
1255   // Construct message in the render queue memory; note that delete should not be called on the return value
1256   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SetVertexBufferData, vertexBuffer, data, size);
1257 }
1258
1259 void UpdateManager::AddGeometry(OwnerPointer<Render::Geometry>& geometry)
1260 {
1261   // Message has ownership of format while in transit from update -> render
1262   using DerivedType = MessageValue1<RenderManager, OwnerPointer<Render::Geometry> >;
1263
1264   // Reserve some memory inside the render queue
1265   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1266
1267   // Construct message in the render queue memory; note that delete should not be called on the return value
1268   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AddGeometry, geometry);
1269 }
1270
1271 void UpdateManager::RemoveGeometry(Render::Geometry* geometry)
1272 {
1273   using DerivedType = MessageValue1<RenderManager, Render::Geometry*>;
1274
1275   // Reserve some memory inside the render queue
1276   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1277
1278   // Construct message in the render queue memory; note that delete should not be called on the return value
1279   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveGeometry, geometry);
1280 }
1281
1282 void UpdateManager::SetGeometryType(Render::Geometry* geometry, uint32_t geometryType)
1283 {
1284   using DerivedType = MessageValue2<RenderManager, Render::Geometry*, uint32_t>;
1285
1286   // Reserve some memory inside the render queue
1287   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1288
1289   // Construct message in the render queue memory; note that delete should not be called on the return value
1290   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::SetGeometryType, geometry, geometryType);
1291 }
1292
1293 void UpdateManager::SetIndexBuffer(Render::Geometry* geometry, Dali::Vector<uint16_t>& indices)
1294 {
1295   using DerivedType = IndexBufferMessage<RenderManager>;
1296
1297   // Reserve some memory inside the render queue
1298   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1299
1300   // Construct message in the render queue memory; note that delete should not be called on the return value
1301   new(slot) DerivedType(&mImpl->renderManager, geometry, indices);
1302 }
1303
1304 void UpdateManager::RemoveVertexBuffer(Render::Geometry* geometry, Render::VertexBuffer* vertexBuffer)
1305 {
1306   using DerivedType = MessageValue2<RenderManager, Render::Geometry*, Render::VertexBuffer*>;
1307
1308   // Reserve some memory inside the render queue
1309   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1310
1311   // Construct message in the render queue memory; note that delete should not be called on the return value
1312   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveVertexBuffer, geometry, vertexBuffer);
1313 }
1314
1315 void UpdateManager::AttachVertexBuffer(Render::Geometry* geometry, Render::VertexBuffer* vertexBuffer)
1316 {
1317   using DerivedType = MessageValue2<RenderManager, Render::Geometry*, Render::VertexBuffer*>;
1318
1319   // Reserve some memory inside the render queue
1320   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1321
1322   // Construct message in the render queue memory; note that delete should not be called on the return value
1323   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AttachVertexBuffer, geometry, vertexBuffer);
1324 }
1325
1326 void UpdateManager::AddTexture(OwnerPointer<Render::Texture>& texture)
1327 {
1328   // Message has ownership of Texture while in transit from update -> render
1329   using DerivedType = MessageValue1<RenderManager, OwnerPointer<Render::Texture> >;
1330
1331   // Reserve some memory inside the render queue
1332   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1333
1334   // Construct message in the render queue memory; note that delete should not be called on the return value
1335   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AddTexture, texture);
1336 }
1337
1338 void UpdateManager::RemoveTexture(Render::Texture* texture)
1339 {
1340   using DerivedType = MessageValue1<RenderManager, Render::Texture*>;
1341
1342   // Reserve some memory inside the render queue
1343   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1344
1345   // Construct message in the render queue memory; note that delete should not be called on the return value
1346   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveTexture, texture);
1347 }
1348
1349 void UpdateManager::UploadTexture(Render::Texture* texture, PixelDataPtr pixelData, const Texture::UploadParams& params)
1350 {
1351   using DerivedType = MessageValue3<RenderManager, Render::Texture*, PixelDataPtr, Texture::UploadParams>;
1352
1353   // Reserve some memory inside the message queue
1354   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1355
1356   // Construct message in the message queue memory; note that delete should not be called on the return value
1357   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::UploadTexture, texture, pixelData, params);
1358 }
1359
1360 void UpdateManager::GenerateMipmaps(Render::Texture* texture)
1361 {
1362   using DerivedType = MessageValue1<RenderManager, Render::Texture*>;
1363
1364   // Reserve some memory inside the render queue
1365   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1366
1367   // Construct message in the render queue memory; note that delete should not be called on the return value
1368   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::GenerateMipmaps, texture);
1369 }
1370
1371 void UpdateManager::AddFrameBuffer(OwnerPointer<Render::FrameBuffer>& frameBuffer)
1372 {
1373   using DerivedType = MessageValue1<RenderManager, OwnerPointer<Render::FrameBuffer> >;
1374
1375   // Reserve some memory inside the render queue
1376   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1377
1378   // Construct message in the render queue memory; note that delete should not be called on the return value
1379   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AddFrameBuffer, frameBuffer);
1380 }
1381
1382 void UpdateManager::RemoveFrameBuffer(Render::FrameBuffer* frameBuffer)
1383 {
1384   using DerivedType = MessageValue1<RenderManager, Render::FrameBuffer*>;
1385
1386   // Reserve some memory inside the render queue
1387   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1388
1389   // Construct message in the render queue memory; note that delete should not be called on the return value
1390   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::RemoveFrameBuffer, frameBuffer);
1391 }
1392
1393 void UpdateManager::AttachColorTextureToFrameBuffer(Render::FrameBuffer* frameBuffer, Render::Texture* texture, uint32_t mipmapLevel, uint32_t layer)
1394 {
1395   using DerivedType = MessageValue4<RenderManager, Render::FrameBuffer*, Render::Texture*, uint32_t, uint32_t>;
1396
1397   // Reserve some memory inside the render queue
1398   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1399
1400   // Construct message in the render queue memory; note that delete should not be called on the return value
1401   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AttachColorTextureToFrameBuffer, frameBuffer, texture, mipmapLevel, layer);
1402 }
1403
1404 void UpdateManager::AttachDepthTextureToFrameBuffer(Render::FrameBuffer* frameBuffer, Render::Texture* texture, uint32_t mipmapLevel)
1405 {
1406   using DerivedType = MessageValue3<RenderManager, Render::FrameBuffer*, Render::Texture*, uint32_t>;
1407
1408   // Reserve some memory inside the render queue
1409   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1410
1411   // Construct message in the render queue memory; note that delete should not be called on the return value
1412   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AttachDepthTextureToFrameBuffer, frameBuffer, texture, mipmapLevel);
1413 }
1414
1415 void UpdateManager::AttachDepthStencilTextureToFrameBuffer(Render::FrameBuffer* frameBuffer, Render::Texture* texture, uint32_t mipmapLevel)
1416 {
1417   using DerivedType = MessageValue3<RenderManager, Render::FrameBuffer*, Render::Texture*, uint32_t>;
1418
1419   // Reserve some memory inside the render queue
1420   uint32_t* slot = mImpl->renderQueue.ReserveMessageSlot(mSceneGraphBuffers.GetUpdateBufferIndex(), sizeof(DerivedType));
1421
1422   // Construct message in the render queue memory; note that delete should not be called on the return value
1423   new(slot) DerivedType(&mImpl->renderManager, &RenderManager::AttachDepthStencilTextureToFrameBuffer, frameBuffer, texture, mipmapLevel);
1424 }
1425
1426 } // namespace SceneGraph
1427
1428 } // namespace Internal
1429
1430 } // namespace Dali