source: GTP/trunk/Lib/Vis/Preprocessing/src/VspBspTree.h @ 1545

Revision 1545, 25.5 KB checked in by mattausch, 18 years ago (diff)
Line 
1#ifndef _VspBspTree_H__
2#define _VspBspTree_H__
3
4#include "Mesh.h"
5#include "Containers.h"
6#include "Polygon3.h"
7#include <stack>
8#include "Statistics.h"
9#include "VssRay.h"
10#include "RayInfo.h"
11#include "ViewCellBsp.h"
12
13
14
15namespace GtpVisibilityPreprocessor {
16
17class ViewCellLeaf;
18//class BspViewCell;
19class Plane3;
20class VspBspTree; 
21class BspInterior;
22class BspNode;
23class AxisAlignedBox3;
24class Ray;
25class ViewCellsStatistics;
26class ViewCellsManager;
27class MergeCandidate;
28class Beam;
29class ViewCellsTree;
30//class Environment;
31
32/**
33        This is a view space partitioning specialised BSPtree. 
34        There are no polygon splits, but we split the sample rays.
35        The candidates for the next split plane are evaluated only
36        by checking the sampled visibility information.
37        The polygons are employed merely as candidates for the next split planes.
38*/
39class VspBspTree
40{
41        friend class ViewCellsParseHandlers;
42        friend class VspBspViewCellsManager;
43public:
44       
45        /** Additional data which is passed down the BSP tree during traversal.
46        */
47        class VspBspTraversalData
48        { 
49        public:
50                /// the current node
51                BspNode *mNode;
52                /// polygonal data for splitting
53                PolygonContainer *mPolygons;
54                /// current depth
55                int mDepth;
56                /// rays piercing this node
57                RayInfoContainer *mRays;
58                /// the probability that this node contains view point
59                float mProbability;
60                /// geometry of node as induced by planes
61                BspNodeGeometry *mGeometry;
62                /// pvs size
63                int mPvs;
64                /// how often this branch has missed the max-cost ratio
65                int mMaxCostMisses;
66                /// if this node is a kd-node (i.e., boundaries are axis aligned
67                bool mIsKdNode;
68                // current axis
69                int mAxis;
70                // current priority
71                float mPriority;
72
73               
74                /** Returns average ray contribution.
75                */
76                float GetAvgRayContribution() const
77                {
78                        return (float)mPvs / ((float)mRays->size() + Limits::Small);
79                }
80
81
82                VspBspTraversalData():
83                mNode(NULL),
84                mPolygons(NULL),
85                mDepth(0),
86                mRays(NULL),
87                mPvs(0),
88                mProbability(0.0),
89                mGeometry(NULL),
90                mMaxCostMisses(0),
91                mIsKdNode(false),
92                mPriority(0),
93                mAxis(0)
94                {}
95               
96                VspBspTraversalData(BspNode *node,
97                                                        PolygonContainer *polys,
98                                                        const int depth,
99                                                        RayInfoContainer *rays,
100                                                        const int pvs,
101                                                        const float p,
102                                                        BspNodeGeometry *geom):
103                mNode(node),
104                mPolygons(polys),
105                mDepth(depth),
106                mRays(rays),
107                mPvs(pvs),
108                mProbability(p),
109                mGeometry(geom),
110                mMaxCostMisses(0),
111                mIsKdNode(false),
112                mPriority(0),
113                mAxis(0)
114                {}
115
116                VspBspTraversalData(PolygonContainer *polys,
117                                                        const int depth,
118                                                        RayInfoContainer *rays,
119                                                        BspNodeGeometry *geom):
120                mNode(NULL),
121                mPolygons(polys),
122                mDepth(depth),
123                mRays(rays),
124                mPvs(0),
125                mProbability(0),
126                mGeometry(geom),
127                mMaxCostMisses(0),
128                mIsKdNode(false),
129                mAxis(0)
130                {}
131
132                /** Returns priority of the traversal data.
133                */
134                float GetCost() const
135                {
136                        //cout << mPriority << endl;
137                        return mPriority;
138                }
139
140                // deletes contents and sets them to NULL
141                void Clear()
142                {
143                        DEL_PTR(mPolygons);
144                        DEL_PTR(mRays);
145                        DEL_PTR(mGeometry);
146                }
147
148                friend bool operator<(const VspBspTraversalData &a, const VspBspTraversalData &b)
149                {
150                        return a.GetCost() < b.GetCost();
151                }
152    };
153
154        typedef std::priority_queue<VspBspTraversalData> VspBspTraversalQueue;
155       
156        class VspBspSubdivisionCandidate
157        { 
158        public:
159
160                VspBspSubdivisionCandidate(): mPriority(0), mRenderCostDecr(0)
161                {};
162
163                VspBspSubdivisionCandidate(const Plane3 &plane, const VspBspTraversalData &tData):
164                mSplitPlane(plane), mParentData(tData), mPriority(0), mRenderCostDecr(0)
165                {}
166
167                /** Returns cost of the traversal data.
168                */
169                float GetPriority() const
170                {
171#if 1
172                        return mPriority;
173#else
174                        return (float) (-mDepth); // for kd tree
175#endif
176                }
177
178                /// the current split plane
179                Plane3 mSplitPlane;
180                /// split axis of this plane (0, 1, 2, or 3 if non-axis-aligned)
181                int mSplitAxis;
182                /// the number of misses of max cost ratio until this split
183                int mMaxCostMisses;
184
185                /// parent data
186                VspBspTraversalData mParentData;
187                /// prioriry of this split
188                float mPriority;
189
190                float mRenderCostDecr;
191
192
193                friend bool operator<(const VspBspSubdivisionCandidate &a, const VspBspSubdivisionCandidate &b)
194                {
195                        return a.GetPriority() < b.GetPriority();
196                }
197    };
198
199        typedef std::priority_queue<VspBspSubdivisionCandidate> VspBspSplitQueue;
200
201        /** Default constructor creating an empty tree.
202        */
203        VspBspTree();
204
205        /** Default destructor.
206        */
207        ~VspBspTree();
208
209        /** Returns BSP Tree statistics.
210        */
211        const BspTreeStatistics &GetStatistics() const;
212 
213
214        /** Constructs the tree from a given set of rays.
215                @param sampleRays the set of sample rays the construction is based on
216                @param forcedBoundingBox overwrites the view space box
217        */
218        void Construct(const VssRayContainer &sampleRays,
219                                   AxisAlignedBox3 *forcedBoundingBox);
220
221        /** Returns list of BSP leaves with pvs smaller than
222                a certain threshold.
223                @param onlyUnmailed if only the unmailed leaves should be considered
224                @param maxPvs the maximal pvs of a leaf to be added (-1 means unlimited)
225        */
226        void CollectLeaves(vector<BspLeaf *> &leaves,
227                                           const bool onlyUnmailed = false,
228                                           const int maxPvs = -1) const;
229
230        /** Returns box which bounds the whole tree.
231        */
232        AxisAlignedBox3 GetBoundingBox() const;
233
234        /** Returns root of BSP tree.
235        */
236        BspNode *GetRoot() const;
237
238        /** Collects the leaf view cells of the tree
239                @param viewCells returns the view cells
240        */
241        void CollectViewCells(ViewCellContainer &viewCells, bool onlyValid) const;
242
243        /** A ray is cast possible intersecting the tree.
244                @param the ray that is cast.
245                @returns the number of intersections with objects stored in the tree.
246        */
247        int CastRay(Ray &ray);
248
249        /// bsp tree construction types
250        enum {FROM_INPUT_VIEW_CELLS, FROM_SCENE_GEOMETRY, FROM_SAMPLES};
251
252        /** finds neighbouring leaves of this tree node.
253        */
254        int FindNeighbors(BspNode *n,
255                                          vector<BspLeaf *> &neighbors,
256                                          const bool onlyUnmailed) const;
257
258        /** Constructs geometry associated with the half space intersections
259                leading to this node.
260        */
261        void ConstructGeometry(BspNode *n, BspNodeGeometry &geom) const;
262       
263        /** Construct geometry of view cell.
264        */
265        void ConstructGeometry(ViewCell *vc, BspNodeGeometry &geom) const;
266
267        /** Returns random leaf of BSP tree.
268                @param halfspace defines the halfspace from which the leaf is taken.
269        */
270        BspLeaf *GetRandomLeaf(const Plane3 &halfspace);
271
272        /** Returns random leaf of BSP tree.
273                @param onlyUnmailed if only unmailed leaves should be returned.
274        */
275        BspLeaf *GetRandomLeaf(const bool onlyUnmailed = false);
276
277        /** Returns epsilon of this tree.
278        */
279        float GetEpsilon() const;
280
281        /** Casts line segment into the tree.
282                @param origin the origin of the line segment
283                @param termination the end point of the line segment
284                @returns view cells intersecting the line segment.
285        */
286    int CastLineSegment(const Vector3 &origin,
287                                                const Vector3 &termination,
288                                                ViewCellContainer &viewcells);
289
290               
291        /** Sets pointer to view cells manager.
292        */
293        void SetViewCellsManager(ViewCellsManager *vcm);
294
295        /** Returns distance from node 1 to node 2.
296        */
297        int TreeDistance(BspNode *n1, BspNode *n2) const;
298
299        /** Collapses the tree with respect to the view cell partition.
300                @returns number of collapsed nodes
301        */
302        int CollapseTree();
303
304        /** Returns view cell the current point is located in.
305                @param point the current view point
306                @param active if currently active view cells should be returned or
307                elementary view cell
308        */
309        ViewCell *GetViewCell(const Vector3 &point, const bool active = false);
310
311
312        /** Returns true if this view point is in a valid view space,
313                false otherwise.
314        */
315        bool ViewPointValid(const Vector3 &viewPoint) const;
316
317        /** Returns view cell corresponding to
318                the invalid view space.
319        */
320        BspViewCell *GetOutOfBoundsCell();
321
322        /** Writes tree to output stream
323        */
324        bool Export(OUT_STREAM &stream);
325
326        /** Casts beam, i.e. a 5D frustum of rays, into tree.
327                Tests conservative using the bounding box of the nodes.
328                @returns number of view cells it intersected
329        */
330        int CastBeam(Beam &beam);
331
332        /** Finds approximate neighbours, i.e., finds correct neighbors
333                in most cases but sometimes more.
334        */
335        int FindApproximateNeighbors(BspNode *n,
336                                                             vector<BspLeaf *> &neighbors,
337                                                                 const bool onlyUnmailed) const;
338
339        /** Checks if tree validity-flags are right
340                with respect to view cell valitiy.
341                If not, marks subtree as invalid.
342        */
343        void ValidateTree();
344
345        /** Invalid view cells are added to the unbounded space
346        */
347        void CollapseViewCells();
348
349        /** Collects rays stored in the leaves.
350        */
351        void CollectRays(VssRayContainer &rays);
352
353        /** Intersects box with the tree and returns the number of intersected boxes.
354                @returns number of view cells found
355        */
356        int ComputeBoxIntersections(const AxisAlignedBox3 &box, ViewCellContainer &viewCells) const;
357
358        /// pointer to the hierarchy of view cells
359        ViewCellsTree *mViewCellsTree;
360
361
362protected:
363
364        // --------------------------------------------------------------
365        // For sorting objects
366        // --------------------------------------------------------------
367        struct SortableEntry
368        {
369                enum EType
370                {
371                        ERayMin,
372                        ERayMax
373                };
374
375                int type;
376                float value;
377                VssRay *ray;
378 
379                SortableEntry() {}
380                SortableEntry(const int t, const float v, VssRay *r):type(t),
381                                          value(v), ray(r)
382                {
383                }
384               
385                friend bool operator<(const SortableEntry &a, const SortableEntry &b)
386                {
387                        return a.value < b.value;
388                }
389        };
390
391        void ComputeBoundingBox(const VssRayContainer &sampleRays,
392                                                        AxisAlignedBox3 *forcedBoundingBox);
393
394        /** faster evaluation of split plane cost for kd axis aligned cells.
395        */
396        float EvalAxisAlignedSplitCost(const VspBspTraversalData &data,
397                                                                   const AxisAlignedBox3 &box,
398                                                                   const int axis,
399                                                                   const float &position,
400                                                                   float &pFront,
401                                                                   float &pBack) const;
402
403        /** Evaluates candidate for splitting.
404        */
405        void EvalSubdivisionCandidate(VspBspSubdivisionCandidate &splitData);
406
407        /** Computes priority of the traversal data and stores it in tData.
408        */
409        void EvalPriority(VspBspTraversalData &tData) const;
410
411        /** Evaluates render cost decrease of next split.
412        */
413        float EvalRenderCostDecrease(const Plane3 &candidatePlane,
414                                                                 const VspBspTraversalData &data,
415                                                                 float &normalizedOldRenderCost) const;
416
417        /** Constructs tree using the split priority queue.
418        */
419        void ConstructWithSplitQueue(const PolygonContainer &polys, RayInfoContainer *rays);
420
421        /** Collects view cells in the subtree under root.
422        */
423        void CollectViewCells(BspNode *root,
424                                                  bool onlyValid,
425                                                  ViewCellContainer &viewCells,
426                                                  bool onlyUnmailed = false) const;
427
428        /** Returns view cell corresponding to
429                the invalid view space. If it does not exist, it is created.
430        */
431        BspViewCell *GetOrCreateOutOfBoundsCell();
432
433        /** Collapses the tree with respect to the view cell partition,
434                i.e. leaves having the same view cell are collapsed.
435                @param node the root of the subtree to be collapsed
436                @param collapsed returns the number of collapsed nodes
437                @returns node of type leaf if the node could be collapsed,
438                this node otherwise
439        */
440        BspNode *CollapseTree(BspNode *node, int &collapsed);
441
442        /** Helper function revalidating the view cell leaf list after merge.
443        */
444        void RepairViewCellsLeafLists();
445
446        /** Evaluates tree stats in the BSP tree leafs.
447        */
448        void EvaluateLeafStats(const VspBspTraversalData &data);
449
450        /** Subdivides node with respect to the traversal data.
451            @param tStack current traversal stack
452                @param tData traversal data also holding node to be subdivided
453                @returns new root of the subtree
454        */
455        BspNode *Subdivide(VspBspTraversalQueue &tStack,
456                                           VspBspTraversalData &tData);
457
458        /** Subdivides node using a best split priority queue.
459            @param tQueue the best split priority queue
460                @param splitCandidate the candidate for the next split
461                @returns new root of the subtree
462        */
463        BspNode *Subdivide(VspBspSplitQueue &tQueue,
464                                           VspBspSubdivisionCandidate &splitCandidate);
465
466        /** Constructs the tree from the given traversal data.
467                @param polys stores set of polygons on which subdivision may be based
468                @param rays stores set of rays on which subdivision may be based
469        */
470        void Construct(const PolygonContainer &polys, RayInfoContainer *rays);
471
472        /** Selects the best possible splitting plane.
473                @param plane returns the split plane
474                @param leaf the leaf to be split
475                @param data the traversal data holding the polygons and rays which the split decision is based
476                @param frontData the front node traversal data (which may be updated to avoid repcomputations
477                @param backData the front node traversal data (which may be updated to avoid repcomputations
478                @param splitAxis 0 - 2 if axis aligned split, 3 if polygon-aligned split
479
480                @note the polygons can be reordered in the process
481               
482                @returns true if the cost of the split is under maxCostRatio
483
484        */
485        bool SelectPlane(Plane3 &plane,
486                                         BspLeaf *leaf,
487                                         VspBspTraversalData &data,
488                                         VspBspTraversalData &frontData,
489                                         VspBspTraversalData &backData,
490                                         int &splitAxis);
491       
492        /** Strategies where the effect of the split plane is tested
493            on all input rays.
494
495                @returns the cost of the candidate split plane
496        */
497        float EvalSplitPlaneCost(const Plane3 &candidatePlane,
498                                                         const VspBspTraversalData &data,
499                                                         BspNodeGeometry &geomFront,
500                                                         BspNodeGeometry &geomBack,
501                                                         float &pFront,
502                                                         float &pBack) const;
503
504        /** Subdivides leaf.
505                       
506                @param tData data object holding, e.g., a pointer to the leaf
507                @param frontData returns the data (e.g.,  pointer to the leaf) in front of the split plane
508                @param backData returns the data (e.g.,  pointer to the leaf) in the back of the split plane
509               
510                @param rays the polygons to be filtered
511                @param frontRays returns the polygons in front of the split plane
512                @param coincident returns the polygons which are coincident to the plane and thus discarded
513                for traversal
514
515                @returns the root of the subdivision
516        */
517
518        BspInterior *SubdivideNode(const Plane3 &splitPlane,
519                                                           VspBspTraversalData &tData,
520                                                           VspBspTraversalData &frontData,
521                               VspBspTraversalData &backData,
522                                                           PolygonContainer &coincident);
523
524        /** Extracts the meshes of the objects and adds them to polygons.
525                Adds object aabb to the aabb of the tree.
526                @param maxPolys the maximal number of objects to be stored as polygons
527                @returns the number of polygons
528        */
529        int AddToPolygonSoup(const ObjectContainer &objects,
530                                                 PolygonContainer &polys,
531                                                 int maxObjects = 0);
532
533        /** Extracts the meshes of the view cells and and adds them to polygons.
534                Adds view cell aabb to the aabb of the tree.
535                @param maxPolys the maximal number of objects to be stored as polygons
536                @returns the number of polygons
537        */
538        int AddToPolygonSoup(const ViewCellContainer &viewCells,
539                                                 PolygonContainer &polys,
540                                                 int maxObjects = 0);
541
542        /** Extract polygons of this mesh and add to polygon container.
543                @param mesh the mesh that drives the polygon construction
544                @param parent the parent intersectable this polygon is constructed from
545                @returns number of polygons
546        */
547        int AddMeshToPolygons(Mesh *mesh, PolygonContainer &polys, MeshInstance *parent);
548
549        /** Selects an axis aligned for the next split.
550                @returns cost for this split
551        */
552        float SelectAxisAlignedPlane(Plane3 &plane,
553                                                                 const VspBspTraversalData &tData,
554                                                                 int &axis,
555                                                                 BspNodeGeometry **frontGeom,
556                                                                 BspNodeGeometry **backGeom,
557                                                                 float &pFront,
558                                                                 float &pBack,
559                                                                 const bool useKdSplit);
560
561        /** Sorts split candidates for cost heuristics using axis aligned splits.
562                @param polys the input for choosing split candidates
563                @param axis the current split axis
564                @param splitCandidates returns sorted list of split candidates
565        */
566        void SortSubdivisionCandidates(const RayInfoContainer &rays,
567                                                         const int axis,
568                                                         float minBand,
569                                                         float maxBand);
570
571        /** Computes best cost for axis aligned planes.
572        */
573        float BestCostRatioHeuristics(const RayInfoContainer &rays,
574                                                                  const AxisAlignedBox3 &box,
575                                                                  const int pvsSize,
576                                                                  const int axis,
577                                                                  float &position);
578
579        /** Subdivides the rays into front and back rays according to the split plane.
580               
581                @param plane the split plane
582                @param rays contains the rays to be split. The rays are
583                           distributed into front and back rays.
584                @param frontRays returns rays on the front side of the plane
585                @param backRays returns rays on the back side of the plane
586               
587                @returns the number of splits
588        */
589        int SplitRays(const Plane3 &plane,
590                                  RayInfoContainer &rays,
591                              RayInfoContainer &frontRays,
592                                  RayInfoContainer &backRays) const;
593
594
595        /** Extracts the split planes representing the space bounded by node n.
596        */
597        void ExtractHalfSpaces(BspNode *n, vector<Plane3> &halfSpaces) const;
598
599        /** Adds the object to the pvs of the front and back leaf with a given classification.
600
601                @param obj the object to be added
602                @param cf the ray classification regarding the split plane
603                @param frontPvs returns the PVS of the front partition
604                @param backPvs returns the PVS of the back partition
605       
606        */
607        void AddObjToPvs(Intersectable *obj,
608                                         const int cf,
609                                         float &frontPvs,
610                                         float &backPvs,
611                                         float &totalPvs) const;
612       
613        /** Computes PVS size induced by the rays.
614        */
615        int ComputePvsSize(const RayInfoContainer &rays) const;
616
617        /** Returns true if tree can be terminated.
618        */
619        bool LocalTerminationCriteriaMet(const VspBspTraversalData &data) const;
620
621        /** Returns true if global tree can be terminated.
622        */
623        bool GlobalTerminationCriteriaMet(const VspBspTraversalData &data) const;
624
625        /** Computes accumulated ray lenght of this rays.
626        */
627        float AccumulatedRayLength(const RayInfoContainer &rays) const;
628
629        /** Splits polygons with respect to the split plane.
630
631                @param plane the split plane
632                @param polys the polygons to be split. the polygons are consumed and
633                           distributed to the containers frontPolys, backPolys, coincident.
634                @param frontPolys returns the polygons in the front of the split plane
635                @param backPolys returns the polygons in the back of the split plane
636                @param coincident returns the polygons coincident to the split plane
637
638                @returns the number of splits   
639        */
640        int SplitPolygons(const Plane3 &plane,
641                                          PolygonContainer &polys,
642                                          PolygonContainer &frontPolys,
643                                          PolygonContainer &backPolys,
644                                          PolygonContainer &coincident) const;
645
646        /** Adds ray sample contributions to the PVS.
647                @param sampleContributions the number contributions of the samples
648                @param contributingSampels the number of contributing rays
649               
650        */
651        void AddToPvs(BspLeaf *leaf,
652                                  const RayInfoContainer &rays,
653                                  float &sampleContributions,
654                                  int &contributingSamples);
655
656       
657        /** Take 3 ray endpoints, where two are minimum and one a maximum
658                point or the other way round.
659        */
660        Plane3 ChooseCandidatePlane(const RayInfoContainer &rays) const;
661
662        /** Take plane normal as plane normal and the midpoint of the ray.
663                PROBLEM: does not resemble any point where visibility is
664                likely to change
665        */
666        Plane3 ChooseCandidatePlane2(const RayInfoContainer &rays) const;
667
668        /** Fit the plane between the two lines so that the plane
669                has equal shortest distance to both lines.
670        */
671        Plane3 ChooseCandidatePlane3(const RayInfoContainer &rays) const;
672 
673        /** Collects candidates for merging.
674                @param leaves the leaves to be merged
675                @returns number of leaves in queue
676        */
677        int CollectMergeCandidates(const vector<BspLeaf *> leaves, vector<MergeCandidate> &candidates);
678
679        /** Collects candidates for the merge in the merge queue.
680                @returns number of leaves in queue
681        */
682        int CollectMergeCandidates(const VssRayContainer &rays, vector<MergeCandidate> &candidates);
683       
684        /** Preprocesses polygons and throws out all polygons which are coincident to
685                the view space box faces (they can be problematic).
686        */
687        void PreprocessPolygons(PolygonContainer &polys);
688       
689        /** Propagates valid flag up the tree.
690        */
691        void PropagateUpValidity(BspNode *node);
692
693        /** Writes the node to disk
694                @note: should be implemented as visitor.
695        */
696        void ExportNode(BspNode *node, OUT_STREAM &stream);
697
698        /** Returns estimated memory usage of tree.
699        */
700        float GetMemUsage() const;
701        //float GetMemUsage(const VspBspTraversalQueue &tstack) const;
702
703
704        void EvalSubdivisionStats(const VspBspTraversalData &tData,
705                                                      const VspBspTraversalData &tFrontData,
706                                                          const VspBspTraversalData &tBackData
707                                                          );
708
709        /** Adds stats to subdivision log file.
710        */
711        void AddSubdivisionStats(const int viewCells,
712                                                         const float renderCostDecr,
713                                                         const float splitCandidateCost,
714                                                         const float totalRenderCost,
715                                                         const float avgRenderCost);
716
717        ///////////////////////////////////////////////////////////
718
719
720protected:
721       
722        /// Pointer to the root of the tree
723        BspNode *mRoot;
724       
725        /// the pointer to the view cells manager
726        ViewCellsManager *mViewCellsManager;
727       
728        /// View cell corresponding to the space outside the valid view space
729        BspViewCell *mOutOfBoundsCell;
730
731        /// the bsp tree statistics
732        BspTreeStatistics mBspStats;
733
734        /// sorted split candidates used for sweep-heuristics
735        vector<SortableEntry> *mLocalSubdivisionCandidates;
736
737        /// box around the whole view domain
738        AxisAlignedBox3 mBox;
739
740       
741        //-- termination critera
742
743        /// minimal number of rays before subdivision termination
744        int mTermMinRays;
745        /// maximal possible depth
746        int mTermMaxDepth;
747        /// mininum probability
748        float mTermMinProbability;
749        /// mininum PVS
750        int mTermMinPvs;
751        /// maximal contribution per ray
752        float mTermMaxRayContribution;
753        /// minimal accumulated ray length
754        float mTermMinAccRayLength;
755        /// maximal acceptable cost ratio
756        float mTermMaxCostRatio;
757        /// tolerance value indicating how often the max cost ratio can be failed
758        int mTermMissTolerance;
759
760
761        //-- termination criteria for
762        //-- hybrid stategy where only axis aligned split are used until
763        //-- a certain point and then also polygon aligned split are taken
764         
765        /// minimal number of rays where axis aligned split is taken
766        int mTermMinRaysForAxisAligned;
767        /// max ray contribution
768        float mTermMaxRayContriForAxisAligned;
769        /// weight for heuristics evaluation
770        float mAxisAlignedCtDivCi;
771        /// spezifies the split border of the axis aligned split
772        float mAxisAlignedSplitBorder;
773
774        ///////////
775        //-- global terminatino criteria
776        float mTermMinGlobalCostRatio;
777        int mTermGlobalCostMissTolerance;
778       
779        /// maximal number of view cells
780        int mMaxViewCells;
781        /// maximal tree memory
782        float mMaxMemory;
783        /// the tree is out of memory
784        bool mOutOfMemory;
785
786
787        /// number of candidates evaluated for the next split plane
788        int mMaxPolyCandidates;
789        /// number of candidates for split planes evaluated using the rays
790        int mMaxRayCandidates;
791       
792
793        //////////
794        //-- axis aligned split criteria
795
796        /// if only driving axis should be used for choosing the axis-aligned split
797        bool mOnlyDrivingAxis;
798        /// if heuristics should be used to place the split plane of an axis-aligned split
799        bool mUseCostHeuristics;
800        /// if driving axis should taken if max cost is exceeded for
801        /// all evaluated axis aligned split plane candidates
802        bool mUseDrivingAxisIfMaxCostViolated;
803        /// minimal relative position where the split axis can be placed
804        float mMinBand;
805        /// maximal relative position where the split axis can be placed
806        float mMaxBand;
807        /// balancing factor for PVS criterium
808        float mCtDivCi;
809        /// if random split axis should be used
810        bool mUseRandomAxis;
811        /// if vsp bsp tree should simulate octree
812        bool mCirculatingAxis;
813
814
815       
816        /// priority queue strategy
817        enum {BREATH_FIRST, DEPTH_FIRST, COST_BASED};
818        /// if we should use breath first priority for the splits
819        int mNodePriorityQueueType;
820        /// if split cost queue should be used to compute next best split
821        bool mUseSplitCostQueue;
822       
823
824       
825        /// Strategies for choosing next split plane.
826        enum {NO_STRATEGY = 0,
827                  RANDOM_POLYGON = 1,
828                  AXIS_ALIGNED = 2,
829                  LEAST_RAY_SPLITS = 256,
830                  BALANCED_RAYS = 512,
831                  PVS = 1024
832                };
833
834        /// strategy to get the best split plane
835        int mSplitPlaneStrategy;
836
837        //-- factors guiding the split plane heuristics
838
839        float mLeastRaySplitsFactor;
840        float mBalancedRaysFactor;
841        float mPvsFactor;
842
843
844        /// if area or volume should be used for PVS heuristics
845        bool mUseAreaForPvs;
846        /// tolerance for polygon split
847        float mEpsilon;
848        /// maximal number of test rays used to evaluate candidate split plane
849        int mMaxTests;
850        /// normalizes different bsp split plane criteria
851        float mCostNormalizer;
852        // if rays should be stored in leaves
853        bool mStoreRays;
854        /// weight between  render cost (expected value) and variance
855        float mRenderCostWeight;
856        /// weight between  render cost decrease and node render cost
857        float mRenderCostDecreaseWeight;
858
859        //-- subdivision statistics
860
861        /// subdivision stats output file
862        ofstream mSubdivisionStats;
863        float mTotalCost;
864        int mTotalPvsSize;
865
866
867        /// use polygon split whenever there are polys left
868        bool mUsePolygonSplitIfAvailable;
869        /// current time stamp (used for keeping split history)
870        int mTimeStamp;
871        /// number of currenly generated view cells
872        int mCreatedViewCells;
873
874
875private:
876
877        /// Generates unique ids for PVS criterium
878        static void GenerateUniqueIdsForPvs();
879
880        //-- unique ids for PVS criterium
881        static int sFrontId;
882        static int sBackId;
883        static int sFrontAndBackId;
884};
885
886}
887
888
889#endif
Note: See TracBrowser for help on using the repository browser.