diff --git a/CMakeLists.txt b/CMakeLists.txt index f874bc4d..f538a201 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -4,36 +4,148 @@ CMAKE_MINIMUM_REQUIRED(VERSION 2.6) # Project configuration PROJECT(REACTPHYSICS3D) +# Default build type +SET(CMAKE_BUILD_TYPE "Debug") + # Where to build the library -SET(LIBRARY_OUTPUT_PATH lib/) +SET(LIBRARY_OUTPUT_PATH "lib") + +# Where to build the executables +SET(OUR_EXECUTABLE_OUTPUT_PATH "${PROJECT_BINARY_DIR}/bin") # Options OPTION(COMPILE_EXAMPLES "Select this if you want to build the examples" OFF) OPTION(COMPILE_TESTS "Select this if you want to build the tests" OFF) - +OPTION(PROFILING_ENABLED "Select this if you want to compile with enabled profiling" OFF) +OPTION(DOUBLE_PRECISION_ENABLED "Select this if you want to compile using double precision floating + values" OFF) # Headers INCLUDE_DIRECTORIES(src) -# Library configuration -file ( - GLOB_RECURSE - source_files - src/* +IF(PROFILING_ENABLED) + ADD_DEFINITIONS(-DIS_PROFILING_ACTIVE) +ENDIF(PROFILING_ENABLED) + +IF(DOUBLE_PRECISION_ENABLED) + ADD_DEFINITIONS(-DIS_DOUBLE_PRECISION_ENABLED) +ENDIF(DOUBLE_PRECISION_ENABLED) + +# Source files +SET (REACTPHYSICS3D_SOURCES + "src/configuration.h" + "src/decimal.h" + "src/reactphysics3d.h" + "src/body/Body.h" + "src/body/Body.cpp" + "src/body/CollisionBody.h" + "src/body/CollisionBody.cpp" + "src/body/RigidBody.h" + "src/body/RigidBody.cpp" + "src/collision/broadphase/BroadPhaseAlgorithm.h" + "src/collision/broadphase/BroadPhaseAlgorithm.cpp" + "src/collision/broadphase/NoBroadPhaseAlgorithm.h" + "src/collision/broadphase/NoBroadPhaseAlgorithm.cpp" + "src/collision/broadphase/PairManager.h" + "src/collision/broadphase/PairManager.cpp" + "src/collision/broadphase/SweepAndPruneAlgorithm.h" + "src/collision/broadphase/SweepAndPruneAlgorithm.cpp" + "src/collision/narrowphase/EPA/EdgeEPA.h" + "src/collision/narrowphase/EPA/EdgeEPA.cpp" + "src/collision/narrowphase/EPA/EPAAlgorithm.h" + "src/collision/narrowphase/EPA/EPAAlgorithm.cpp" + "src/collision/narrowphase/EPA/TriangleEPA.h" + "src/collision/narrowphase/EPA/TriangleEPA.cpp" + "src/collision/narrowphase/EPA/TrianglesStore.h" + "src/collision/narrowphase/EPA/TrianglesStore.cpp" + "src/collision/narrowphase/GJK/Simplex.h" + "src/collision/narrowphase/GJK/Simplex.cpp" + "src/collision/narrowphase/GJK/GJKAlgorithm.h" + "src/collision/narrowphase/GJK/GJKAlgorithm.cpp" + "src/collision/narrowphase/NarrowPhaseAlgorithm.h" + "src/collision/narrowphase/NarrowPhaseAlgorithm.cpp" + "src/collision/narrowphase/SphereVsSphereAlgorithm.h" + "src/collision/narrowphase/SphereVsSphereAlgorithm.cpp" + "src/collision/shapes/AABB.h" + "src/collision/shapes/AABB.cpp" + "src/collision/shapes/BoxShape.h" + "src/collision/shapes/BoxShape.cpp" + "src/collision/shapes/CapsuleShape.h" + "src/collision/shapes/CapsuleShape.cpp" + "src/collision/shapes/CollisionShape.h" + "src/collision/shapes/CollisionShape.cpp" + "src/collision/shapes/ConeShape.h" + "src/collision/shapes/ConeShape.cpp" + "src/collision/shapes/ConvexMeshShape.h" + "src/collision/shapes/ConvexMeshShape.cpp" + "src/collision/shapes/CylinderShape.h" + "src/collision/shapes/CylinderShape.cpp" + "src/collision/shapes/SphereShape.h" + "src/collision/shapes/SphereShape.cpp" + "src/collision/BroadPhasePair.h" + "src/collision/BroadPhasePair.cpp" + "src/collision/CollisionDetection.h" + "src/collision/CollisionDetection.cpp" + "src/constraint/BallAndSocketJoint.h" + "src/constraint/BallAndSocketJoint.cpp" + "src/constraint/ContactPoint.h" + "src/constraint/ContactPoint.cpp" + "src/constraint/FixedJoint.h" + "src/constraint/FixedJoint.cpp" + "src/constraint/HingeJoint.h" + "src/constraint/HingeJoint.cpp" + "src/constraint/Joint.h" + "src/constraint/Joint.cpp" + "src/constraint/SliderJoint.h" + "src/constraint/SliderJoint.cpp" + "src/engine/CollisionWorld.h" + "src/engine/CollisionWorld.cpp" + "src/engine/ConstraintSolver.h" + "src/engine/ConstraintSolver.cpp" + "src/engine/ContactManifold.h" + "src/engine/ContactManifold.cpp" + "src/engine/ContactSolver.h" + "src/engine/ContactSolver.cpp" + "src/engine/DynamicsWorld.h" + "src/engine/DynamicsWorld.cpp" + "src/engine/EventListener.h" + "src/engine/Impulse.h" + "src/engine/Island.h" + "src/engine/Island.cpp" + "src/engine/Material.h" + "src/engine/Material.cpp" + "src/engine/OverlappingPair.h" + "src/engine/OverlappingPair.cpp" + "src/engine/Profiler.h" + "src/engine/Profiler.cpp" + "src/engine/Timer.h" + "src/engine/Timer.cpp" + "src/mathematics/mathematics.h" + "src/mathematics/mathematics_functions.h" + "src/mathematics/Matrix2x2.h" + "src/mathematics/Matrix2x2.cpp" + "src/mathematics/Matrix3x3.h" + "src/mathematics/Matrix3x3.cpp" + "src/mathematics/Quaternion.h" + "src/mathematics/Quaternion.cpp" + "src/mathematics/Transform.h" + "src/mathematics/Transform.cpp" + "src/mathematics/Vector2.h" + "src/mathematics/Vector2.cpp" + "src/mathematics/Vector3.h" + "src/mathematics/Vector3.cpp" + "src/memory/MemoryAllocator.h" + "src/memory/MemoryAllocator.cpp" ) -# Require the reactphysics3d code to be compiled in a static library -ADD_LIBRARY ( - reactphysics3d - STATIC - ${source_files} -) +# Create the library +ADD_LIBRARY (reactphysics3d STATIC ${REACTPHYSICS3D_SOURCES}) # If we need to compile the examples -IF (COMPILE_EXAMPLES) - add_subdirectory(examples/fallingcubes) -ENDIF (COMPILE_EXAMPLES) +IF(COMPILE_EXAMPLES) + add_subdirectory(examples/) +ENDIF(COMPILE_EXAMPLES) # If we need to compile the tests -IF (COMPILE_TESTS) +IF(COMPILE_TESTS) add_subdirectory(test/) -ENDIF (COMPILE_TESTS) +ENDIF(COMPILE_TESTS) diff --git a/VERSION b/VERSION index 9325c3cc..60a2d3e9 100644 --- a/VERSION +++ b/VERSION @@ -1 +1 @@ -0.3.0 \ No newline at end of file +0.4.0 \ No newline at end of file diff --git a/cmake/FindFreeglut.cmake b/cmake/FindFreeglut.cmake new file mode 100644 index 00000000..c8ea9d3e --- /dev/null +++ b/cmake/FindFreeglut.cmake @@ -0,0 +1,32 @@ +# This module is used to try to find the Freeglut library and include files + +IF(WIN32) + FIND_PATH(FREEGLUT_INCLUDE_DIR NAMES GL/freeglut.h) + FIND_LIBRARY(FREEGLUT_LIBRARY NAMES freeglut freeglut_static) + PATHS ${OPENGL_LIBRARY_DIR}) +ELSE(WIN32) + + IF(APPLE) + # Do nothing, we do not want to use freeglut on Mac OS X + ELSE(APPLE) + FIND_PATH(FREEGLUT_INCLUDE_DIR GL/freeglut.h /usr/include/GL + /usr/openwin/share/include + /usr/openwin/include + /opt/graphics/OpenGL/include + /opt/graphics/OpenGL/contrib/libglut) + + FIND_LIBRARY(FREEGLUT_LIBRARY NAMES freeglut freeglut_static PATHS /usr/openwin/lib) + FIND_LIBRARY(Xi_LIBRARY Xi /usr/openwin/lib) + FIND_LIBRARY(Xmu_LIBRARY Xmu /usr/openwin/lib) + ENDIF(APPLE) +ENDIF(WIN32) + +INCLUDE(${CMAKE_CURRENT_LIST_DIR}/FindPackageHandleStandardArgs.cmake) +FIND_PACKAGE_HANDLE_STANDARD_ARGS(FREEGLUT REQUIRED_VARS FREEGLUT_LIBRARY FREEGLUT_INCLUDE_DIR) + +IF(FREEGLUT_FOUND) + SET(FREEGLUT_LIBRARIES ${FREEGLUT_LIBRARY} ${Xi_LIBRARY} ${Xmu_LIBRARY}) + SET(FREEGLUT_LIBRARY ${FREEGLUT_LIBRARIES}) +ENDIF(FREEGLUT_FOUND) + +MARK_AS_ADVANCED(FREEGLUT_INCLUDE_DIR FREEGLUT_LIBRARY Xi_LIBRARY Xmu_LIBRARY) diff --git a/cmake/FindGLEW.cmake b/cmake/FindGLEW.cmake new file mode 100644 index 00000000..c29c4eb2 --- /dev/null +++ b/cmake/FindGLEW.cmake @@ -0,0 +1,65 @@ +# +# Try to find GLEW library and include path. +# Once done this will define +# +# GLEW_FOUND +# GLEW_INCLUDE_PATH +# GLEW_LIBRARY +# + +IF (WIN32) +FIND_PATH( GLEW_INCLUDE_PATH GL/glew.h +$ENV{PROGRAMFILES}/GLEW/include +${GLEW_ROOT_DIR}/include +DOC "The directory where GL/glew.h resides") + +IF (NV_SYSTEM_PROCESSOR STREQUAL "AMD64") +FIND_LIBRARY( GLEW_LIBRARY +NAMES glew64 glew64s +PATHS +$ENV{PROGRAMFILES}/GLEW/lib +${PROJECT_SOURCE_DIR}/src/nvgl/glew/bin +${PROJECT_SOURCE_DIR}/src/nvgl/glew/lib +DOC "The GLEW library (64-bit)" +) +ELSE(NV_SYSTEM_PROCESSOR STREQUAL "AMD64") +FIND_LIBRARY( GLEW_LIBRARY +NAMES glew GLEW glew32 glew32s +PATHS +$ENV{PROGRAMFILES}/GLEW/lib +${PROJECT_SOURCE_DIR}/src/nvgl/glew/bin +${PROJECT_SOURCE_DIR}/src/nvgl/glew/lib +DOC "The GLEW library" +) +ENDIF(NV_SYSTEM_PROCESSOR STREQUAL "AMD64") +ELSE (WIN32) +FIND_PATH( GLEW_INCLUDE_PATH GL/glew.h +/usr/include +/usr/local/include +/sw/include +/opt/local/include +${GLEW_ROOT_DIR}/include +DOC "The directory where GL/glew.h resides") + +FIND_LIBRARY( GLEW_LIBRARY +NAMES GLEW glew +PATHS +/usr/lib64 +/usr/lib +/usr/local/lib64 +/usr/local/lib +/sw/lib +/opt/local/lib +${GLEW_ROOT_DIR}/lib +DOC "The GLEW library") +ENDIF (WIN32) + +SET(GLEW_FOUND "NO") +IF (GLEW_INCLUDE_PATH AND GLEW_LIBRARY) +SET(GLEW_LIBRARIES ${GLEW_LIBRARY}) +SET(GLEW_FOUND "YES") +ENDIF (GLEW_INCLUDE_PATH AND GLEW_LIBRARY) + + +include(FindPackageHandleStandardArgs) +find_package_handle_standard_args(GLEW DEFAULT_MSG GLEW_LIBRARY GLEW_INCLUDE_PATH) \ No newline at end of file diff --git a/documentation/API/Doxyfile b/documentation/API/Doxyfile index cd2b6b93..5373c5f0 100644 --- a/documentation/API/Doxyfile +++ b/documentation/API/Doxyfile @@ -32,7 +32,7 @@ PROJECT_NAME = "ReactPhysics3D" # This could be handy for archiving the generated documentation or # if some version control system is used. -PROJECT_NUMBER = "0.3.0" +PROJECT_NUMBER = "0.4.0" # Using the PROJECT_BRIEF tag one can provide an optional one line description # for a project that appears at the top of each page and should give viewer diff --git a/documentation/API/ReactPhysics3DLogo.png b/documentation/API/ReactPhysics3DLogo.png old mode 100755 new mode 100644 diff --git a/documentation/UserManual/ReactPhysics3D-UserManual.pdf b/documentation/UserManual/ReactPhysics3D-UserManual.pdf new file mode 100644 index 00000000..c6edca83 Binary files /dev/null and b/documentation/UserManual/ReactPhysics3D-UserManual.pdf differ diff --git a/documentation/UserManual/ReactPhysics3D-UserManual.tex b/documentation/UserManual/ReactPhysics3D-UserManual.tex old mode 100755 new mode 100644 index 1a71aa4b..1fe9f83d --- a/documentation/UserManual/ReactPhysics3D-UserManual.tex +++ b/documentation/UserManual/ReactPhysics3D-UserManual.tex @@ -9,9 +9,29 @@ \usepackage{graphicx} \usepackage{listings} \usepackage{url} -\usepackage{color} +\usepackage[usenames]{xcolor} \usepackage[top=3cm, bottom=3cm, left=3cm, right=3cm]{geometry} +% Path to the pictures +\graphicspath{ {images/} } + +% Customized style to display c++ source code +\lstdefinestyle{customcpp}{ + backgroundcolor=\color{gray!15}, + belowcaptionskip=1\baselineskip, + breaklines=true, + frame=L, + xleftmargin=\parindent, + language=C++, + showstringspaces=false, + basicstyle=\footnotesize\ttfamily, + keywordstyle=\bfseries\color{green!40!black}, + commentstyle=\itshape\color{purple!40!black}, + identifierstyle=\color{blue}, + stringstyle=\color{orange}, +} +\lstset{style=customcpp} + \input{title} \begin{document} @@ -36,156 +56,1070 @@ \begin{itemize} \item Rigid body dynamics \item Discrete collision detection - \item Collision shapes (Sphere, Box, Cone, Cylinder) + \item Collision shapes (Sphere, Box, Cone, Cylinder, Capsule, Convex Mesh) \item Broadphase collision detection (Sweep and Prune using AABBs) \item Narrowphase collision detection (GJK/EPA) \item Collision response and friction (Sequential Impulses Solver) + \item Joints (Ball and Socket, Hinge, Slider, Fixed) + \item Sleeping technique for inactive bodies + \item Integrated Profiler \item Multi-platform (Windows, Linux, Mac OS X) \item Documentation (User manual and Doxygen API) + \item Examples \item Unit tests \end{itemize} - \section{What's new in this version} - - The current version is version 0.3.0 The following things have been - added or improved in this new version : \\ - - \begin{itemize} - \item The Sweep-and-Prune broad-phase collision detection - algorithm has been rewritten according to the technique - described by Pierre Terdiman at - \url{http://www.codercorner.com/SAP.pdf} to be much more efficient - than the previous naive implementation. - \item The contact solver has been rewritten to use the Sequential - Impulses technique from Erin Catto which is mathematically - equivalent to the Projected Gauss Seidel technique that was used - before. The Sequential Impulse technique is more - intuitive. - \item Implementation of a dedicated collision detection algorithm for spheres - against spheres instead of using GJK/EPA algorithm. - \item Make GJK/EPA algorithm more robust for spheres. - \item Make possible to use a unique instance of a collision shape - for multiple rigid bodies. - \item Change the structure of the code for a better separation - between the collision detection and the dynamics simulation code. - \item Create the API documentation using Doxygen - \item Add Unit tests - \end{itemize} - \section{License} - The ReactPhysics3D library is released under the ZLib license. For more information, read the "LICENSE" file. + The ReactPhysics3D library is released under the open-source ZLib license. For more information, read the "LICENSE" file. - \section{Compilation} - \label{sec:compilation} + \section{Building the library} + \label{sec:building} - You can use the CMake software to generate the makefiles or the + You should use the CMake software to generate the makefiles or the project files for your IDE. CMake can be downloaded at \url{http://www.cmake.org} or using you package-management program (apt, yum, \dots) on Linux. Then, you will be able to compile the library to create the static library - file. In order to use ReactPhysics3D in - your application, you can link your program with this static library. + file. In order to use ReactPhysics3D in your application, you can link your program with this static library. + If you have never used cmake before, you should read the page \url{http://www.cmake.org/cmake/help/runningcmake.html} as + it contains many useful information. \\ - \subsection{Linux and Mac OS X} + Note that by default, the library is built in \emph{debugging} mode. In this mode, a lot of debugging information is compiled together with the code. This might cause the application to + run much slower that it should be in \emph{release} mode. Therefore, you should not forget to build the library in \emph{release} mode when releasing your final + application. - To build the ReactPhysics3D library, create a folder into which - you want to build the library. Then go into that folder and run - the \texttt{cmake} command : \\ + \subsection{CMake using the command line (Linux and Mac OS X)} - \texttt{cmake \textless path\_to\_library\textgreater \ -G "Unix Makefiles" -DCMAKE\_BUILD\_TYPE=Release} \\ + Now, we will see how to build the ReactPhysics3D library using the CMake tool on the command line. + First, create a folder into which you want to build the library. Then go into that folder and run + the \texttt{ccmake} command : \\ - where \texttt{\textless path\_to\_library\textgreater} must be replaced - by the path to the library which is the path to the - \texttt{reactphysics3d-0.3.0/} folder. It is the folder that - contains the \texttt{CMakeLists.txt} file. This will generate the - makefiles into your build directory you have created before. Notice that the previous command generates the makefiles to - compile the library in Release mode. If you wan to generate the makefiles to - compile in Debug mode, you will have to use the following command : \\ + \texttt{ccmake \textless path\_to\_library\_source\textgreater} \\ - \texttt{cmake \textless path\_to\_library\textgreater \ -G "Unix Makefiles" -DCMAKE\_BUILD\_TYPE=Debug} \\ + where \texttt{\textless path\_to\_library\_source\textgreater} must be replaced + by the path the path to the \texttt{reactphysics3d-0.4.0/} folder. It is the folder that + contains the \texttt{CMakeLists.txt} file. Running this command will launch the CMake command line interface. + Hit the 'c' key to configure the project. There, you can also change some predefined variables (see section \ref{sec:cmakevariables} for more details) + and then, hit the 'c' key again. Once you have set all the values as you like, you can hit the 'g' key to generate the makefiles in the build directory + that you have created before and exit. \\ - If you also want to build the examples at the same time, you can - use the following command : \\ - - \texttt{cmake \textless path\_to\_library\textgreater \ -G "Unix Makefiles" -DCMAKE\_BUILD\_TYPE=Release \\ - -DCOMPILE\_EXAMPLES=True } \\ - - In order to compile the examples, the GLUT or FREEGLUT library needs to be - installed on your system if you use Mac OS X. \\ - - If you want to build the unit tests, you can use the following - command : \\ - - \texttt{cmake \textless path\_to\_library\textgreater \ -G "Unix Makefiles" -DCMAKE\_BUILD\_TYPE=Debug \\ - -DCOMPILE\_TESTS=True } \\ - - Now that you have generated the makefiles with the CMake software, - you can compile the code to build the static library in the - \texttt{/lib} folder with the following command in your build directory : \\ + Now that you have generated the makefiles with the CMake software, you can compile the code to build the static library in the + \texttt{/lib} folder with the following command in your build directory : \\ - \texttt{make} \\ + \texttt{make} - This will also compile the examples if you have used the above - option to do it. + \subsection{CMake using the graphical interface (Linux, Mac OS X and Windows)} - \subsection{Windows} - - On Windows, you can also use the CMake software to generate the - files that you will be able to use in your favorite IDE to - compile the library and examples. \\ - - First, download the CMake - software for Windows and install it. Then, run the - \texttt{cmake-gui} program. The program will ask you for the - source folder which is the \texttt{reactphysics3d-0.3.0/} folder of + Here, we will see how to build the ReactPhysics3D library using the CMake graphical interface. + First, run the \texttt{cmake-gui} program. The program will ask you for the + source folder which is the \texttt{reactphysics3d-0.4.0/} folder of the library. You will also have to select a folder where you want to build the library and the examples. Select any empty folder that - is on your system. Then, you can click on - \texttt{Configure}. CMake will ask you to choose an IDE that is on - your system. For instance, you can select Visual Studio. Then you - can change the compilation options. For instance, if you want to - generate the files to compile the examples, you have to check the option - \texttt{COMPILE\_EXAMPLES}. If you want to compile the unit - tests, you need to check the option \texttt{COMPILE\_TESTS}. - Note that compiling the examples - requires the GLUT or FREEGLUT library to be installed on your system. Once - this is done, you can click on \texttt{Configure} again and - finally on \texttt{Generate}. \\ + is on your system. Then, you can click on \texttt{Configure}. CMake will ask you to choose an IDE that is on + your system. For instance, you can select Visual Studio, Qt Creator, XCode, ... Then you + can change the compilation options. See section \ref{sec:cmakevariables} to see what are the possible options. + Once this is done, you can click on \texttt{Configure} again and finally on \texttt{Generate}. \\ Now, if you go into the folder you have chosen to build the - library, you should be able to open the - Visual Studio Project that CMake has created and compile the - ReactPhysics3D library and the examples. + library, you should be able to open the project file that corresponds to your IDE and compile + the library. \\ + + If your want to run the examples within the Microsoft Visual Studio IDE, you need to make sure that in the + \emph{Debugging} section of the \emph{Configuration Properties} of the example projects, the \emph{Working Directory} is set to \texttt{\$(OutDir)}. + Otherwise, you might have problems to run the examples. + + \subsection{CMake Variables} + \label{sec:cmakevariables} + + You can find bellow the different CMake variables that you can set before generating the makefiles. + + \begin{description} + \item[CMAKE\_BUILD\_TYPE] If this variable is set to \texttt{Debug}, the library will be compiled in debugging mode. + This mode should be used during development stage to know where things might crash. + In debugging mode, the library might run a bit slow due to all the debugging information + that are used. However, if this variable is set to \texttt{Release}, no debugging information is stored + and therefore, it will run much faster. This mode must be used when you compile for the final + release of you application. + + \item[COMPILE\_EXAMPLES] If this variable is \texttt{ON}, the examples of the reactphysics3d library will be compiled. + Note that you will need to have the Freeglut library installed on your system if you use + Windows or Linux and you will need to have the Glut library on Mac OS X if you want to + run those examples. + + \item[COMPILE\_TESTS] If this variable is \texttt{ON}, the unit tests of the reactphysics3d library will be compiled. You will then + be able to launch the tests to make sure that they are running fine on your system. + + \item[PROFILING\_ENABLED] If this variable is \texttt{ON}, the integrated profiler will collect data while the application is running + and the profiling report will be displayed in the console at the end of the application (in the + destructor of the \texttt{DynamicsWorld} class). This might be useful to see what part of the reactphysics3d + library takes time during its execution. This variable must be set to \texttt{OFF} when you compile + for the final release of your application. + + \item[DOUBLE\_PRECISION\_ENABLED] If this variable is \texttt{ON}, the reactphysics3d library will be compile with double floating point precision. + Otherwise, the library will be compile with single precision. + \end{description} + \section{Using ReactPhysics3D in your application} In order to use the library in your own application, first build the static library of ReactPhysics3d as described above to get the - static library file in the \texttt{/lib} folder. Then, in your code, you have to include + static library file in the \texttt{lib/} folder. Then, in your code, you have to include the ReactPhysics3D header file with the line : \\ - \texttt{\#include "reactphysics3d.h"} \\ + \begin{lstlisting} + // Include the ReactPhysics3D header file + #include "reactphysics3d.h" + \end{lstlisting} + + \vspace{0.6cm} Note that the \texttt{reactphysics3d.h} header file can be found in the - \texttt{/src} folder of the library. Do not forget to add the - \texttt{/src} folder in your include directories in order that the + \texttt{src/} folder of the library. Do not forget to add the + \texttt{src/} folder in your include directories in order that the \texttt{reactphysics3d.h} file is accessible in your code. \\ - Don't forget to also link your application with the ReactPhysics3D + Do not forget to also link your application with the ReactPhysics3D static library. \\ Then, you should be able to compile your application using the - ReactPhysics3D library. You should also take a look at the - examples and the API documentation to get a better idea of how to use the + ReactPhysics3D library. \\ + + All the classes of the library are available in the \texttt{reactphysics3d} namespace or its shorter alias + \texttt{rp3d}. Therefore, you need to include this namespace into your code with the following declaration : \\ + + \begin{lstlisting} + // Use the ReactPhysics3D namespace + using namespace reactphysics3d; + \end{lstlisting} + + \vspace{0.6cm} + + You should also take a look at the examples and the API documentation to get a better idea of how to use the ReactPhysics3D library. + \section{The Physics World} + + The physics world will contain the bodies and joints that you create. You will then be able run the simulation across time by updating the world. + The class \texttt{DynamicsWorld} represents the physics world in the ReactPhysics3D library. + + \subsection{Creating the Physics World} + + The first thing you have to do when you want to simulate the dynamics of rigid bodies in time with the ReactPhysics3D library is to create an instance + of the \texttt{DynamicsWorld}. You need to specify two parameters when constructing the world. The first one is the gravity acceleration vector (in $m / s^2$) in the world and + the second one is the simulation time step (in seconds). Note that gravity is activated by default when you create the world. The time step is the fixed amount of time that will be simulated + each time a simulation step will be perform when updating the world. For real-time application, a time step of $\frac{1}{60}$ seconds (60 Hz) is usually used. Using a smaller time step + makes the simulation more precise but also more expensive to compute. \\ + + Here is how to create the world : \\ + + \begin{lstlisting} + // Gravity vector + rp3d::Vector3 gravity(0.0, -9.81, 0.0); + + // Time step (in seconds) + rp3d::decimal timeStep = 1.0 / 60.0; + + // Create the dynamics world + rp3d::DynamicsWorld world(gravity, timeStep); + \end{lstlisting} + + \subsection{Customizing the Physics World} + + \subsubsection{Solver parameters} + + ReactPhysics3D uses an iterative solver to solve the contacts and joints. For contacts, there is a unique velocity solver and for joints there are a velocity and a + position solver. By default, the number of iterations of the velocity solver is 10 and the number of iterations for the position solver is 5. It is possible to + change the number of iterations for both solvers. \\ + + To do this, you need to use the following two methods : \\ + + \begin{lstlisting} + // Change the number of iterations of the velocity solver + world.setNbIterationsVelocitySolver(15); + + // Change the number of iterations of the position solver + world.setNbIterationsPositionSolver(8); + \end{lstlisting} + + \vspace{0.6cm} + + Increasing the number of iterations of the solvers will make the simulation more precise but also more expensive to compute. Therefore, you need to change + those values only if needed. + + \subsubsection{Sleeping} + \label{sec:sleeping} + + The purpose of the sleeping technique is to deactivate resting bodies so that they are not simulated anymore. This is used to save computation time because simulating many bodies is costly. + A sleeping body (or group of sleeping bodies) is awaken as soon as another body collides with it or a joint in which it is involed is enabled. The sleeping technique is enabled by + default. You can disable it using the following method : \\ + + \begin{lstlisting} + // Disable the sleeping technique + world.enableSleeping(false); + \end{lstlisting} + + \vspace{0.6cm} + + Note that it is not recommended to disable the sleeping technique because the simulation will become slower. It is also possible to deactivate the sleeping technique on a + per body basis. See section \ref{sec:rigidbodysleeping} for more information. \\ + + \begin{sloppypar} + A body is put to sleep when its linear and angular velocity stay under a given velocity threshold for a certain amount of time (one second by default). It is possible to change the two + linear and angular velocity thresholds using the two methods \texttt{DynamicsWorld::setSleepLinearVelocity()} and \texttt{Dynamics::setSleepAngularVelocity()}. Note that the velocities must + be specified in meters per second. You can also change the amount of time (in seconds) the velocity of a body needs to stay under the threshold to be considered sleeping. To do this, use the + \texttt{DynamicsWorld::setTimeBeforeSleep()} method. + \end{sloppypar} + + \subsection{Updating the Physics World} + + The first thing you have to do to simulate the dynamics of your world is to start the simulation using the following method : \\ + + \begin{lstlisting} + // Start the simulation + world.start(); + \end{lstlisting} + + \vspace{0.6cm} + + Then, each time you have to compute the next frame to render in your application, you need to update the state of the world. To do that, you simply need to call this method : \\ + + \begin{lstlisting} + // Update the world by taking a simulation step + world.update(); + \end{lstlisting} + + \vspace{0.6cm} + + When the \texttt{DynamicsWorld::update()} method is called, collision detection is performed and the position and orientation of the bodies are updated accordingly. + After updating the world, you will be able to get the updated position and orientation of the bodies to render them in the next frame. Make sure that you call + the \texttt{DynamicsWorld::start()} method before calling the \texttt{DynamicsWorld::update()} method. \\ + + You can also use the \texttt{DynamicsWorld::stop()} method to stop the simulation. You will then be able to start it again and to continue updating it. \\ + + Note that you can get the elapsed time (in seconds) from the beginning of the physics simulation using the \texttt{DynamicsWorld::getPhysicsTime()} method. This can be useful to + create some animations. + + \subsection{Destroying the Physics World} + + Do not forget to destroy the \texttt{DynamicsWorld} instance at the end of your program in order to release the allocated memory. If the object has been created statically, it will + automatically be destroy at the end of the scope in which it has been created. If the object has been created dynamically (using the \texttt{new} operator), you need to destroy + it with the \texttt{delete} operator. + + \section{Rigid Bodies} + + Once the physics world has been created, you can create rigid bodies into the world. A rigid body will represent an object you want to simulate in the physics world. + A rigid body has a mass, a collision shape, a position and an orientation. The physics world will compute collision between the bodies and will update their position and + orientation accordingly at each time step. You can also create joints between the bodies in the world. In ReactPhysics3D, the class \texttt{RigidBody} is used to describe a rigid body. + + \subsection{Creating a Rigid Body} + + In order to create a rigid body, you need to specify its transform, its mass, its inertia tensor and a collision shape. The transform describes the initial + position and orientation of the body in the world. You need to create an instance of the \texttt{Transform} with a vector describing the + initial position and a quaternion for the initial orientation of the body. \\ + + In order that your rigid body can collide with other bodies in the world, you need to specify a collision shape. Take a look at section \ref{sec:collisionshapes} to learn about the + different collision shapes and how to create them. \\ + + To create a rigid body, you also need to give the mass of the body (in kilograms) and its inertia tensor. The inertia tensor is a $3 \times 3$ matrix decribing how the mass is + distributed inside the rigid body which will be used to calculate the rotation of the body. The inertia tensor can be calculated from the collision shape that you have created for the + body. You can find more information about this in section \ref{sec:inertiacollisionshape}. \\ + + You need to call the \texttt{DynamicsWorld::createRigidBody()} method to create a rigid body in the world previously created. This method will return a pointer to the instance + of the \texttt{RigidBody} class that has been created internally. You will then be able to use that pointer to get or set values of the body. \\ + + You can see in the following code how to create a rigid body with a box collision shape : \\ + + \begin{lstlisting} + // Create the collision shape of the rigid body + const rp3d::BoxShape collisionShape(rp3d::Vector3(1.0, 1.0, 1.0)); + + // Compute the inertia tensor of the body + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(0.0, 3.0, 0.0); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body in the world + rp3d::RigidBody* body; + body = dynamicsWorld.createRigidBody(transform, mass, inertiaTensor, collisionShape); + \end{lstlisting} + + \subsection{Customizing a Rigid Body} + + Once a rigid body has been created, you can change some of its properties. + + \subsubsection{Static Rigid Body} + + \begin{sloppypar} + By default, the bodies you create in the world are not static. If the rigid body is static and is not supposed to move, you need to specify it using the \texttt{RigidBody::enableMotion()} + method as follows : \\ + \end{sloppypar} + + \begin{lstlisting} + // Specify that the body cannot move + rigidBody->enableMotion(false); + \end{lstlisting} + + \subsubsection{Gravity} + + By default, all the rigid bodies with react to the gravity force of the world. If you do not want the gravity to be applied to a given body, you can disable + it using the \texttt{RigidBody::enableGravity()} method as in the following example : \\ + + \begin{lstlisting} + // Disable gravity for this body + rigidBody->enableGravity(false); + \end{lstlisting} + + \subsubsection{Material of a Rigid Body} + + The material of a rigid body is used to describe its different physical properties. The class \texttt{Material} represents the material of a body. Each body that + you create will have a default material. You can get the material of the rigid body using the \texttt{RigidBody::getMaterial()} method. Then, you will be able to change some + properties. \\ + + For instance, you can change the bounciness of the rigid body. The bounciness is a value between 0 and 1. The value 1 is used for a very bouncy object and the value 0 means that + the body will not be bouncy at all. To change the bounciness of the material, you can use the \texttt{Material::setBounciness()} method. \\ + + You are also able to change the friction coefficient of the body. This value needs to be between 0 and 1. If the value is 0, no friction will be applied when the body is in contact with + another body. However, if the value is 1, the friction force will be high. You can change the friction coefficient of the material with the + \texttt{Material::setFrictionCoefficient()} method. \\ + + Here is how to get the material of a rigid body and how to modify some of its properties : \\ + + \begin{lstlisting} + // Get the current material of the body + rp3d::Material& material = rigidBody->getMaterial(); + + // Change the bounciness of the body + material.setBounciness(rp3d::decimal(0.4)); + + // Change the friction coefficient of the body + material.setFrictionCoefficient(rp3d::decimal(0.2)); + \end{lstlisting} + + \subsubsection{Velocity Damping} + + \begin{sloppypar} + Damping is the effect of reducing the velocity of the rigid body during the simulation. By default, no damping is applied. However, you can choose to damp + the linear or/and the angular velocity of a rigid body. For instance, without angular damping a pendulum will never come to rest. You need to use the + \texttt{RigidBody::setLinearDamping()} and \texttt{RigidBody::setAngularDamping()} methods to change the damping values. The damping value has to be positive and + a value of zero means no damping at all. + \end{sloppypar} + + \subsubsection{Sleeping} + \label{sec:rigidbodysleeping} + + As described in section \ref{sec:sleeping}, the sleeping technique is used to disable the simulation of the resting bodies. By default the bodies are allowed to sleep when they + come to rest. However, if you do not want a given body to be put to sleep, you can use the \texttt{Body::setIsAllowedToSleep()} method as in the next example : \\ + + \begin{lstlisting} + // This rigid body cannot sleep + rigidBody->setIsAllowedToSleep(false); + \end{lstlisting} + + \subsubsection{Applying Force or Torque to a Rigid Body} + + During the simulation, you can apply a force or a torque to a given rigid body. First, you can apply a force to the center of mass of the rigid body using the + \texttt{RigidBody::applyForceToCenter()} method. You need to specifiy the force vector (in Newton) as a parameter. If the force is applied to the center of mass, no + torque will be created and only the linear motion of the body will be affected. \\ + + \begin{lstlisting} + // Force vector (in Newton) + rp3d::Vector3 force(2.0, 0.0, 0.0); + + // Apply a force to the center of the body + rigidBody->applyForceToCenter(force); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + You can also apply a force to any given point (in world-space) using the \texttt{RigidBody::applyForce()} method. You need to specify the force vector (in Newton) and the point + (in world-space) where to apply the given force. Note that if the point is not the center of mass of the body, applying a force will generate some torque and therefore, the + angular motion of the body will be affected as well. \\ + \end{sloppypar} + + \begin{lstlisting} + // Force vector (in Newton) + rp3d::Vector3 force(2.0, 0.0, 0.0); + + // Point where the force is applied + rp3d::Vector3 point(4.0, 5.0, 6.0); + + // Apply a force to the body + rigidBody->applyForce(force, point); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + It is also possible to apply a torque to a given body using the \texttt{RigidBody::applyTorque()} method. You simply need to specify the torque vector (in Newton $\cdot$ meter) as + in the following example : \\ + \end{sloppypar} + + \begin{lstlisting} + // Torque vector + rp3d::Vector3 torque(0.0, 3.0, 0.0); + + // Apply a torque to the body + rigidBody->applyTorque(torque); + \end{lstlisting} + + \vspace{0.6cm} + + Note that when you call the previous methods, the specified force/torque will be added to the total force/torque applied to the rigid body and that at the end of each call to the + \texttt{DynamicsWorld::update()}, the total force/torque of all the rigid bodies will be reset to zero. Therefore, you might need to call the previous methods during several frames + if you want the force/torque to be applied during a certain amount of time. + + \subsection{Updating a Rigid Body} + + When you call the \texttt{DynamicsWorld::update()} method, the collision between the bodies are computed and the joints are evaluated. Then, the bodies position and orientation + are updated accordingly. After calling this method, you can get the updated position and orientation of each body to render it. To do that, you simply need to use the + \texttt{RigidBody::getInterpolatedTransform()} method to get the interpolated transform. This transform represents the current local-to-world-space transformation. \\ + + Here is how to get the interpolated transform of a rigid body : \\ + + \begin{lstlisting} + // Here, body is a RigidBody* pointer previously created + + // Get the interpolated transform of the rigid body + rp3d::Transform transform = body->getInterpolatedTransform(); + \end{lstlisting} + + \vspace{0.6cm} + + If you need the array with the corresponding $4 \times 4$ OpenGL transformation matrix, you can use the \texttt{Transform::getOpenGLMatrix()} method as in the following code : \\ + + \begin{lstlisting} + // Get the OpenGL matrix array of the transform + float matrix[16]; + transform.getOpenGLMatrix(matrix); + \end{lstlisting} + + \subsection{Destroying a Rigid Body} + + \begin{sloppypar} + It is really simple to destroy a rigid body. You simply need to use the \texttt{DynamicsWorld::destroyRigidBody()} method. You need to use the pointer to the body you + want to destroy as argument. Note that after calling that method, the pointer will not be valid anymore and therefore, you should not use it. Note that you must + destroy all the rigid bodies at the end of the simulation before you destroy the world. When you destroy a rigid body that was part of a joint, that joint will be automatically + destroyed as well. \\ + \end{sloppypar} + + Here is how to destroy a rigid body : \\ + + \begin{lstlisting} + // Here, world is an instance of the DynamicsWorld class + // and body is a RigidBody* pointer + + // Destroy the rigid body + world.destroyRigidBody(body); + \end{lstlisting} + + \section{Collision Shapes} + \label{sec:collisionshapes} + + When you create a rigid body, you need to specify a collision shape. This shape will be used to test collision between the body and its environment. + This section describes all the collision shapes available in the ReactPhysics3D library and how to use them. \\ + + Every collision shapes use a \emph{collision margin} which is a small distance around the shape that is used internally in the collision detection. + Some collision shapes have their collision margin integrated into the shape that you define and therefore you do not have to worry about it. + However, for some collision shapes, the collision margin is added around the shape that you define and therefore, you might have to compensate + for this small margin with the way you render the object. \\ + + Once you have created a collision shape object, you need to used it when you create a rigid body in the physics world using the + \texttt{DynamicsWorld::createRigidBody()} method. Note that during the rigid body creation, the collision shape object that you gave as a parameter + will be copied internally. Therefore, you can destroy the collision shape object right after the rigid body creation. + + \subsection{Box Shape} + + \begin{figure}[h] + \centering + \includegraphics{boxshape.png} + \label{fig:boxshape} + \end{figure} + + The class \texttt{BoxShape} class describes a box collision shape centered at the origin of the body local space. The box is aligned with the local x, y and z axis. + In order to create a box shape, you only need to specify the three half extents dimensions of the box in the three X, Y and Z directions. \\ + + For instance, if you want to create a box shape with dimensions of 4 meters, 6 meters and 10 meters along the X, Y and Z axis respectively, you need to use the following code : \\ + + \begin{lstlisting} + // Half extents of the box in the x, y and z directions + const rp3d::Vector3 halfExtents(2.0, 3.0, 5.0); + + // Create the box shape + const rp3d::BoxShape boxShape(halfExtents); + \end{lstlisting} + + \vspace{0.6cm} + + The \texttt{BoxShape} has a collision margin that is added to the box dimension you define. Therefore, the actual box shape will be a little bit larger that the one you define. + It is recommended that you use the default margin. In case, you really need to change the collision margin of your box shape (if the dimension of your box is small compared + to the default collision margin for instance), you can pass the length of the new collision margin (in meters) as a second parameter of the BoxShape constructor. \\ + + For instance, if you want to use a collision margin of 1 centimeter for your box shape, you can do it like this : \\ + + \begin{lstlisting} + // Create the box shape with a custom collision margin + const rp3d::BoxShape boxShape(halfExtents, 0.01); + \end{lstlisting} + + \subsection{Sphere Shape} + + \begin{figure}[h] + \centering + \includegraphics{sphereshape.png} + \label{fig:sphereshape} + \end{figure} + + The \texttt{SphereShape} class describes a sphere collision shape centered at the origin of the body local space. You only need to specify the radius of the sphere to create it. \\ + + For instance, if you want to create a sphere shape with a radius of 2 meters, you need to use the following code : \\ + + \begin{lstlisting} + // Create the sphere shape with a radius of 2m + const rp3d::SphereShape sphereShape(2.0); + \end{lstlisting} + + \vspace{0.6cm} + + The collision margin of the \texttt{SphereShape} is integrated into the sphere you define. Therefore, you do not need to worry about it and you cannot change it. + + \subsection{Cone Shape} + + \begin{figure}[h] + \centering + \includegraphics{coneshape.png} + \label{fig:coneshape} + \end{figure} + + The \texttt{ConeShape} class describes a cone collision shape centered at the origin of the body local-space. The cone is aligned along the Y axis. + In order to create a cone shape, you need to give the radius of the base of the cone and the height of the cone (along the Y axis). \\ + + For instance, if you want to create a cone shape with a radius of 1 meter and the height of 3 meters, you need to use the following code : \\ + + \begin{lstlisting} + // Create the cone shape + const rp3d::ConeShape coneShape(1.0, 3.0); + \end{lstlisting} + + \vspace{0.6cm} + + The \texttt{ConeShape} has a collision margin that is added to the cone dimension that you define. Therefore, the actual cone shape will be a little bit larger that the one you define. + It is recommended that you use the default margin. In case, you really need to change the collision margin of your cone shape (if the dimension of your cone is small compared + to the default collision margin for instance), you can pass the length of the new collision margin (in meters) as a third parameter of the \texttt{ConeShape} constructor. \\ + + For instance, if you want to use a collision margin of 1 centimeter for your cone shape, you can do it like this : \\ + + \begin{lstlisting} + // Create the cone shape with a custom collision margin + const rp3d::ConeShape coneShape(1.0, 3.0, 0.01); + \end{lstlisting} + + \subsection{Cylinder Shape} + + \begin{figure}[h] + \centering + \includegraphics{cylindershape.png} + \label{fig:cylindershape} + \end{figure} + + The \texttt{CylinderShape} class describes a cylinder collision shape centered at the origin of the body local-space. The cylinder is aligned along the Y axis. + In order to create a cylinder shape, you need to specify the radius of the base and the height of the cylinder (along the Y axis). \\ + + For instance, if you want to create a cylinder shape with a radius of 1 meter and the height of 3 meters, you need to use the following code : \\ + + \begin{lstlisting} + // Create the cylinder shape + const rp3d::Cylinder cylinderShape(1.0, 3.0); + \end{lstlisting} + + \vspace{0.6cm} + + The \texttt{CylinderShape} has a collision margin that is added to the cylinder dimension that you define. Therefore, the actual cylinder shape will be a little bit larger that the one you define. + It is recommended that you use the default margin. In case, you really need to change the collision margin of your cylinder shape (if the dimension of your cylinder is small compared + to the default collision margin for instance), you can pass the length of the new collision margin (in meters) as a third parameter of the \texttt{CylinderShape} constructor. \\ + + For instance, if you want to use a collision margin of 1 centimeter for your cylinder shape, you can do it like this : \\ + + \begin{lstlisting} + // Create the cylinder shape with a custom collision margin + const rp3d::CylinderShape cylinderShape(1.0, 3.0, 0.01); + \end{lstlisting} + + \subsection{Capsule Shape} + + \begin{figure}[h] + \centering + \includegraphics{capsuleshape.png} + \label{fig:capsuleshape} + \end{figure} + + The \texttt{CapsuleShape} class describes a capsule collision shape around the Y axis and centered at the origin of the body local space. It is the convex hull of two + spheres. It can also be seen as an elongated sphere. In order to create it, you only need to specify the radius of the two spheres and the height of the + capsule (distance between the centers of the two spheres). \\ + + For instance, if you want to create a capsule shape with a radius of 1 meter and the height of 2 meters, you need to use the following code : \\ + + \begin{lstlisting} + // Create the capsule shape + const rp3d::CapsuleShape capsuleShape(1.0, 2.0); + \end{lstlisting} + + \vspace{0.6cm} + + As for the \texttt{SphereShape}, the collision margin of the \texttt{CapsuleShape} is integrated into the capsule you define. + Therefore, you do not need to worry about it and you cannot change it. + + \subsection{Convex Mesh Shape} + + \begin{figure}[h] + \centering + \includegraphics{convexshape.png} + \label{fig:convexshape} + \end{figure} + + The class \texttt{ConvexMeshShape} can be used to describe the shape of a convex mesh. In order to create a convex mesh shape, you need to supply the array with the coordinates of + the vertices of the mesh. The array is supposed to start with the three X, Y and Z coordinates of the first vertex, then the X, Y and Z coordinates of the second vertex and so on. + The first parameter of the \texttt{ConvexMeshShape} constructor is a pointer to the array of the vertices coordinates, the second parameter is the number of vertices in the array and + the third parameter is the size (in bytes) of the data needed for a single vertex in the array (data used by all the three coordinates of a single vertex). + + \begin{lstlisting} + // Construct a convex mesh shape + rp3d::ConvexMeshShape shape(verticesArray, nbVertices, 3 * sizeof(float)); + \end{lstlisting} + + \vspace{0.6cm} + + You need to make sure that the mesh you provide is indeed convex and also that the origin of its local-space is inside the mesh. \\ + + The collision detection test with a convex mesh shape runs in $O(n)$ where $n$ is the number of vertices in the mesh. Collision detection can become expensive if there are + too many vertices in the mesh. It is possible to speed up the collision detection by providing information about the edges of the convex mesh. If you provide edges information + about the convex mesh, the collision detection will run in almost constant time at the cost of a little extra memory to store the edges information. In order to provide the edges + information, you need to call the \texttt{ConvexMeshShape::addEdge()} method for each edge of the mesh. The first parameter is the index of the first vertex of the edge and the + second parameter is the index of the second vertex. Do not worry about calling this method multiple times for the same edge, the edge information will be added only + once. \\ + + For instance, the following code adds the edges information into a convex mesh shape : \\ + + \begin{lstlisting} + // Add the edges information of the mesh into the shape + for (unsigned int i=0; i(world.createJoint(jointInfo)); + \end{lstlisting} + + \vspace{0.6cm} + + \subsection{Hinge Joint} + + The class \texttt{HingeJoint} describes a hinge joint (or revolute joint) between two rigid bodies. The hinge joint only allows rotation around an anchor point and + around a single axis (the hinge axis). This joint can be used to simulate doors or pendulums for instance. \\ + + In order to create a hinge joint, you first need to create a \texttt{HingeJointInfo} object with the necessary information. You need to provide the pointers to the + two rigid bodies, the coordinates of the anchor point (in world-space) and also the hinge rotation axis (in world-space). The two bodies need to be in a correct position + when the joint is created. \\ + + Here is the code to create the \texttt{HingeJointInfo} object : \\ + + \begin{lstlisting} + // Anchor point in world-space + const rp3d::Vector3 anchorPoint(2.0, 4.0, 0.0); + + // Hinge rotation axis in world-space + const rp3d::Vector3 axis(0.0, 0.0, 1.0); + + // Create the joint info object + rp3d::HingeJointInfo jointInfo(body1, body2, anchorPoint, axis); + \end{lstlisting} + + \vspace{0.6cm} + + Now, it is time to create the actual joint in the dynamics world using the \texttt{DynamicsWorld::createJoint()} method. + Note that this method will also return a pointer to the \texttt{HingeJoint} object that has been created internally. You will then + be able to use that pointer to change properties of the joint and also to destroy it at the end. \\ + + Here is how to create the joint in the world : \\ + + \begin{lstlisting} + // Create the hinge joint in the dynamics world + rp3d::HingeJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \subsubsection{Limits} + + With the hinge joint, you can constraint the motion range using limits. The limits of the hinge joint are the minimum and maximum angle of rotation allowed with respect to the initial + angle between the bodies when the joint is created. The limits are disabled by default. If you want to use the limits, you first need to enable them by setting the + \texttt{isLimitEnabled} variable of the \texttt{HingeJointInfo} object to \emph{true} before you create the joint. You also have to specify the minimum and maximum limit + angles (in radians) using the \texttt{minAngleLimit} and \texttt{maxAngleLimit} variables of the joint info object. Note that the minimum limit angle must be in the + range $[ -2 \pi; 0 ]$ and the maximum limit angle must be in the range $[ 0; 2 \pi ]$. \\ + + For instance, here is the way to use the limits for a hinge joint when the joint is created : \\ + + \begin{lstlisting} + // Create the joint info object + rp3d::HingeJointInfo jointInfo(body1, body2, anchorPoint, axis); + + // Enable the limits of the joint + jointInfo.isLimitEnabled = true; + + // Minimum limit angle + jointInfo.minAngleLimit = -PI / 2.0; + + // Maximum limit angle + jointInfo.maxAngleLimit = PI / 2.0; + + // Create the hinge joint in the dynamics world + rp3d::HingeJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + It is also possible to use the \texttt{HingeJoint::enableLimit()}, \texttt{HingeJoint::setMinAngleLimit()} and \texttt{HingeJoint::setMaxAngleLimit()} methods to specify + the limits of the joint after its creation. See the API documentation for more information. + \end{sloppypar} + + \subsubsection{Motor} + + A motor is also available for the hinge joint. It can be used to rotate the bodies around the hinge axis at a given angular speed and such that the torque applied to + rotate the bodies does not exceed a maximum allowed torque. The motor is disabled by default. If you want to use it, you first have to activate it using the + \texttt{isMotorEnabled} boolean variable of the \texttt{HingeJointInfo} object before you create the joint. Then, you need to specify the angular motor speed (in radians/seconds) + using the \texttt{motorSpeed} variable and also the maximum allowed torque (in Newton $\cdot$ meters) with the \texttt{maxMotorTorque} variable. \\ + + For instance, here is how to enable the motor of the hinge joint when the joint is created : \\ + + \begin{lstlisting} + // Create the joint info object + rp3d::HingeJointInfo jointInfo(body1, body2, anchorPoint, axis); + + // Enable the motor of the joint + jointInfo.isMotorEnabled = true; + + // Motor angular speed + jointInfo.motorSpeed = PI / 4.0; + + // Maximum allowed torque + jointInfo.maxMotorTorque = 10.0; + + // Create the hinge joint in the dynamics world + rp3d::HingeJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + It is also possible to use the \texttt{HingeJoint::enableMotor()}, \texttt{HingeJoint::setMotorSpeed()} and \texttt{HingeJoint::setMaxMotorTorque()} methods to + enable the motor of the joint after its creation. See the API documentation for more information. + \end{sloppypar} + + \subsection{Slider Joint} + + The class \texttt{SliderJoint} describes a slider joint (or prismatic joint) that only allows relative translation along a single direction. It has a single degree of freedom and allows no + relative rotation. In order to create a slider joint, you first need to specify the anchor point (in world-space) and the slider axis direction (in world-space). The constructor of the + \texttt{SliderJointInfo} object needs two pointers to the bodies of the joint, the anchor point and the axis direction. Note that the two bodies have to be in a correct initial position when + the joint is created. \\ + + You can see in the following code how to specify the information to create a slider joint : \\ + + \begin{lstlisting} + // Anchor point in world-space + const rp3d::Vector3 anchorPoint = rp3d::decimal(0.5) * (body2Position + body1Position); + + // Slider axis in world-space + const rp3d::Vector3 axis = (body2Position - body1Position); + + // Create the joint info object + rp3d::SliderJointInfo jointInfo(body1, body2, anchorPoint, axis); + \end{lstlisting} + + \vspace{0.6cm} + + Now, it is possible to create the actual joint in the dynamics world using the \texttt{DynamicsWorld::createJoint()} method. + Note that this method will also return a pointer to the \texttt{SliderJoint} object that has been created internally. You will then + be able to use that pointer to change properties of the joint and also to destroy it at the end. \\ + + Here is how to create the joint in the world : \\ + + \begin{lstlisting} + // Create the slider joint in the dynamics world + rp3d::SliderJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \subsubsection{Limits} + + It is also possible to control the range of the slider joint motion using limits. The limits are disabled by default. In order to use the limits when the joint is created, you first + need to activate them using the \texttt{isLimitEnabled} variable of the \texttt{SliderJointInfo} class. Then, you need to specify the minimum and maximum translation limits + (in meters) using the \texttt{minTranslationLimit} and \texttt{maxTranslation\-Limit} variables. Note that the initial position of the two bodies when the joint is created + corresponds to a translation of zero. Therefore, the minimum limit must be smaller or equal to zero and the maximum limit must be larger or equal to zero. \\ + + You can see in the following example how to set the limits when the slider joint is created : \\ + + \begin{lstlisting} + // Create the joint info object + rp3d::SliderJointInfo jointInfo(body1, body2, anchorPoint, axis); + + // Enable the limits of the joint + jointInfo.isLimitEnabled = true; + + // Minimum translation limit + jointInfo.minTranslationLimit = -1.7; + + // Maximum translation limit + jointInfo.maxTranslationLimit = 1.7; + + // Create the hinge joint in the dynamics world + rp3d::SliderJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + You can also use the \texttt{SliderJoint::enableLimit()}, \texttt{SliderJoint::\-setMinTranslationLimit()} and \texttt{SliderJoint::setMaxTranslationLimit()} methods to enable the + limits of the joint after its creation. See the API documentation for more information. + \end{sloppypar} + + \subsubsection{Motor} + + The slider joint also has a motor. You can use it to translate the bodies along the slider axis at a given linear speed and such that the force applied to + move the bodies does not exceed a maximum allowed force. The motor is disabled by default. If you want to use it when the joint is created, you first have to activate it using the + \texttt{isMotorEnabled} boolean variable of the \texttt{SliderJointInfo} object before you create the joint. Then, you need to specify the linear motor speed (in meters/seconds) + using the \texttt{motorSpeed} variable and also the maximum allowed force (in Newtons) with the \texttt{maxMotorForce} variable. \\ + + For instance, here is how to enable the motor of the slider joint when the joint is created : \\ + + \begin{lstlisting} + // Create the joint info object + rp3d::SliderJointInfo jointInfo(body1, body2, anchorPoint, axis); + + // Enable the motor of the joint + jointInfo.isMotorEnabled = true; + + // Motor linear speed + jointInfo.motorSpeed = 2.0; + + // Maximum allowed force + jointInfo.maxMotorForce = 10.0; + + // Create the slider joint in the dynamics world + rp3d::SliderJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \vspace{0.6cm} + + \begin{sloppypar} + It is also possible to use the \texttt{SliderJoint::enableMotor()}, \texttt{SliderJoint::setMotorSpeed()} and \texttt{SliderJoint::setMaxMotorForce()} methods to enable the + motor of the joint after its creation. See the API documentation for more information. + \end{sloppypar} + + \subsection{Fixed Joint} + + The class \texttt{FixedJoint} describes a fixed joint between two bodies. In a fixed joint, there is no degree of freedom, the bodies are not allowed to translate + or rotate with respect to each other. In order to create a fixed joint, you simply need to specify an anchor point (in world-space) to create the \texttt{FixedJointInfo} + object. \\ + + For instance, here is how to create the joint info object for a fixed joint : \\ + + \begin{lstlisting} + // Anchor point in world-space + rp3d::Vector3 anchorPoint(2.0, 3.0, 4.0); + + // Create the joint info object + rp3d::FixedJointInfo jointInfo1(body1, body2, anchorPoint); + \end{lstlisting} + + \vspace{0.6cm} + + Now, it is possible to create the actual joint in the dynamics world using the \texttt{DynamicsWorld::createJoint()} method. + Note that this method will also return a pointer to the \texttt{FixedJoint} object that has been created internally. You will then + be able to use that pointer to change properties of the joint and also to destroy it at the end. \\ + + Here is how to create the joint in the world : \\ + + \begin{lstlisting} + // Create the fixed joint in the dynamics world + rp3d::FixedJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \subsection{Collision between the bodies of a Joint} + + By default the two bodies involved in a joint are able to collide with each other. However, it is possible to disable the collision between the two bodies that are part + of the joint. To do it, you simply need to set the variable \texttt{isCollisionEnabled} of the joint info object to \emph{false} when you create the joint. \\ + + For instance, when you create a \texttt{HingeJointInfo} object in order to construct a hinge joint, you can disable the collision between the two bodies of the joint as in the + following example : \\ + + \begin{lstlisting} + // Create the joint info object + rp3d::HingeJointInfo jointInfo(body1, body2, anchorPoint, axis); + + // Disable the collision between the bodies + jointInfo.isCollisionEnabled = false; + + // Create the joint in the dynamics world + rp3d::HingeJoint* joint; + joint = dynamic_cast(world.createJoint(jointInfo)); + \end{lstlisting} + + \subsection{Destroying a Joint} + + \begin{sloppypar} + In order to destroy a joint, you simply need to call the \texttt{DynamicsWorld::destroyJoint()} method using the pointer to + a previously created joint object as argument as shown in the following code : \\ + \end{sloppypar} + + \begin{lstlisting} + // rp3d::BallAndSocketJoint* joint is a previously + // created joint + + // Destroy the joint + world.destroyJoint(joint); + \end{lstlisting} + + \vspace{0.6cm} + + It is important that you destroy all the joints that you have created at the end of the simulation. Also note that destroying a + rigid body that is involved in a joint will automatically destroy that joint. + \section{Examples} - You can find some OpenGL demos in the \texttt{/examples} folder of - the library. Follow the instructions described in section - \ref{sec:compilation} to - compile the examples. Note that the GLUT or FREEGLUT library is required to - compile and run the examples. + You can find some demos in the \texttt{examples/} folder of + the reactphysics3d library. Follow the instructions described in section \ref{sec:building} to + compile the examples. Note that the FREEGLUT library is required on Linux and Windows + and the GLUT library is required on Mac OS X to run those examples. Studying the examples is a + good way to understand how to use the reactphysics3d library. + + \subsection{Cubes} + + In this example, you will see how to create a floor and some cubes using the Box Shape for collision detection. Because of gravity, + the cubes will fall down on the floor. After falling down, the cubes will come to rest and start sleeping (become inactive). In this demo, + the cubes are green when they are active and become red as they get inactive (sleeping). + + \subsection{Collision Shapes} + + In this example, you will see how to create a floor (using the Box Shape) and some other bodies using the different collision shapes available + in the reactphysics3d library like Cylinders, Capsules, Spheres, Convex Meshes and Cones. Those bodies will fall down to the floor. + + \subsection{Joints} + + In this example, you will learn how to create different joints (Ball and Socket, Hinge, Slider, Fixed) into the dynamics world. You can also see how + to set the motor or limits of the joints. + + \section{Receiving Feedback} + + Sometimes, you want to receive notifications from the physics engine when a given event happened. The \texttt{EventListener} class can be used for that purpose. In order to use + it, you need to create a new class that inherits from the \texttt{EventListener} class and overrides some methods that will be called by the ReactPhysics3D library when some events + occur. You also need to register your class in the physics world using the \texttt{DynamicsWorld::setEventListener()} as in the following code : \\ + + \begin{lstlisting} + // Here, YourEventListener is a class that inherits + // from the EventListener class of reactphysics3d + YourEventListener listener; + + // Register your event listener class + world.setEventListener(&listener); + \end{lstlisting} + + \subsection{Contacts} + + If you want to be notified when two bodies that were separated before become in contact, you need to override the \texttt{EventListener::beginContact()} method in your event + listener class. Then, this method will be called when the two separated bodies becomes in contact. \\ + + If you receive a notification when a new contact between two bodies is found, you need to override the \texttt{EventListener::newContact()} method in your event listener class. Then, this + method will be called when a new contact is found. + + \section{Profiler} + + If you build the library with the \texttt{PROFILING\_ENABLED} variable enabled (see section \ref{sec:cmakevariables}), a real-time profiler will collect information while the application + is running. Then, at the end of your application, when the destructor of the \texttt{DynamicsWorld} class is called, information about the running time of the library will be displayed in the + standard output. This can be useful to know where time is spent in the different parts of the ReactPhysics3D library in case your application is too slow. \section{API Documentation} diff --git a/documentation/UserManual/images/ReactPhysics3DLogo.png b/documentation/UserManual/images/ReactPhysics3DLogo.png old mode 100755 new mode 100644 diff --git a/documentation/UserManual/images/boxshape.png b/documentation/UserManual/images/boxshape.png new file mode 100644 index 00000000..0889b34c Binary files /dev/null and b/documentation/UserManual/images/boxshape.png differ diff --git a/documentation/UserManual/images/capsuleshape.png b/documentation/UserManual/images/capsuleshape.png new file mode 100644 index 00000000..7e1bb8d4 Binary files /dev/null and b/documentation/UserManual/images/capsuleshape.png differ diff --git a/documentation/UserManual/images/coneshape.png b/documentation/UserManual/images/coneshape.png new file mode 100644 index 00000000..d67bf6aa Binary files /dev/null and b/documentation/UserManual/images/coneshape.png differ diff --git a/documentation/UserManual/images/convexshape.png b/documentation/UserManual/images/convexshape.png new file mode 100644 index 00000000..4451da83 Binary files /dev/null and b/documentation/UserManual/images/convexshape.png differ diff --git a/documentation/UserManual/images/cylindershape.png b/documentation/UserManual/images/cylindershape.png new file mode 100644 index 00000000..6cfdf03a Binary files /dev/null and b/documentation/UserManual/images/cylindershape.png differ diff --git a/documentation/UserManual/images/sphereshape.png b/documentation/UserManual/images/sphereshape.png new file mode 100644 index 00000000..cbdb3278 Binary files /dev/null and b/documentation/UserManual/images/sphereshape.png differ diff --git a/documentation/UserManual/title.tex b/documentation/UserManual/title.tex old mode 100755 new mode 100644 index b9379893..506eb65b --- a/documentation/UserManual/title.tex +++ b/documentation/UserManual/title.tex @@ -10,7 +10,7 @@ \vskip 1.3cm {\Huge \@title\par}% \vskip 0.3cm - {\Large Version: 0.3.0\par}% + {\Large Version: 0.4.0\par}% \vskip 0.3cm {\Large \@author\par}% \vskip 2cm diff --git a/examples/CMakeLists.txt b/examples/CMakeLists.txt new file mode 100644 index 00000000..450ceb1e --- /dev/null +++ b/examples/CMakeLists.txt @@ -0,0 +1,15 @@ +# Minimum cmake version required +CMAKE_MINIMUM_REQUIRED(VERSION 2.6) + +# Set a variable for the directory of the opengl-framework +SET(OPENGLFRAMEWORK_DIR "${CMAKE_CURRENT_SOURCE_DIR}/common/opengl-framework") + +# If we will use FREEGLUT +IF(NOT APPLE) + ADD_DEFINITIONS(-DUSE_FREEGLUT) +ENDIF() + +ADD_SUBDIRECTORY(common/) +ADD_SUBDIRECTORY(cubes/) +ADD_SUBDIRECTORY(joints/) +ADD_SUBDIRECTORY(collisionshapes/) diff --git a/examples/collisionshapes/CMakeLists.txt b/examples/collisionshapes/CMakeLists.txt new file mode 100644 index 00000000..2bd5a930 --- /dev/null +++ b/examples/collisionshapes/CMakeLists.txt @@ -0,0 +1,41 @@ +# Minimum cmake version required +cmake_minimum_required(VERSION 2.6) + +# Project configuration +PROJECT(CollisionShapes) + +# Where to build the executables +SET(EXECUTABLE_OUTPUT_PATH "${OUR_EXECUTABLE_OUTPUT_PATH}/collisionshapes") +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_RELEASE ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_DEBUG ${EXECUTABLE_OUTPUT_PATH}) + +# Copy the shaders used for the demo into the build directory +FILE(COPY "${OPENGLFRAMEWORK_DIR}/src/shaders/" DESTINATION "${EXECUTABLE_OUTPUT_PATH}/shaders/") + +# Copy the meshes used for the demo into the build directory +FILE(COPY "../common/meshes/" DESTINATION "${EXECUTABLE_OUTPUT_PATH}/meshes/") + +# Headers +INCLUDE_DIRECTORIES("${OPENGLFRAMEWORK_DIR}/src/" "../common/") + +# Source files +SET(COLLISION_SHAPES_SOURCES + CollisionShapes.cpp + Scene.cpp + Scene.h + "../common/VisualContactPoint.cpp" + "../common/ConvexMesh.cpp" + "../common/Capsule.cpp" + "../common/Sphere.cpp" + "../common/Cylinder.cpp" + "../common/Cone.cpp" + "../common/Box.cpp" + "../common/Viewer.cpp" +) + +# Create the executable +ADD_EXECUTABLE(collisionshapes ${COLLISION_SHAPES_SOURCES}) + +# Link with libraries +TARGET_LINK_LIBRARIES(collisionshapes reactphysics3d openglframework) diff --git a/examples/collisionshapes/CollisionShapes.cpp b/examples/collisionshapes/CollisionShapes.cpp new file mode 100644 index 00000000..6f12deeb --- /dev/null +++ b/examples/collisionshapes/CollisionShapes.cpp @@ -0,0 +1,158 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" +#include "Viewer.h" + +// Declarations +void simulate(); +void display(); +void finish(); +void reshape(int width, int height); +void mouseButton(int button, int state, int x, int y); +void mouseMotion(int x, int y); +void keyboard(unsigned char key, int x, int y); +void init(); + +// Namespaces +using namespace openglframework; + +// Global variables +Viewer* viewer; +Scene* scene; + +// Main function +int main(int argc, char** argv) { + + // Create and initialize the Viewer + viewer = new Viewer(); + Vector2 windowsSize = Vector2(800, 600); + Vector2 windowsPosition = Vector2(100, 100); + bool initOK = viewer->init(argc, argv, "ReactPhysics3D Examples - Collision Shapes", + windowsSize, windowsPosition); + if (!initOK) return 1; + + // Create the scene + scene = new Scene(viewer); + + init(); + + // Glut Idle function that is continuously called + glutIdleFunc(simulate); + glutDisplayFunc(display); + glutReshapeFunc(reshape); + glutMouseFunc(mouseButton); + glutMotionFunc(mouseMotion); + glutKeyboardFunc(keyboard); +#ifdef USE_FREEGLUT + glutCloseFunc(finish); +#else + atexit(finish); +#endif + + // Glut main looop + glutMainLoop(); + + return 0; +} + +// Simulate function +void simulate() { + + // Physics simulation + scene->simulate(); + + viewer->computeFPS(); + + // Ask GLUT to render the scene + glutPostRedisplay (); +} + +// Initialization +void init() { + + // Define the background color (black) + glClearColor(0.0, 0.0, 0.0, 1.0); +} + +// Reshape function +void reshape(int newWidth, int newHeight) { + viewer->reshape(newWidth, newHeight); +} + +// Called when a mouse button event occurs +void mouseButton(int button, int state, int x, int y) { + viewer->mouseButtonEvent(button, state, x, y); +} + +// Called when a mouse motion event occurs +void mouseMotion(int x, int y) { + viewer->mouseMotionEvent(x, y); +} + +// Called when the user hits a special key on the keyboard +void keyboard(unsigned char key, int x, int y) { + switch(key) { + + // Escape key + case 27: + #ifdef USE_FREEGLUT + glutLeaveMainLoop(); + #endif + break; + + // Space bar + case 32: + scene->pauseContinueSimulation(); + break; + } +} + +// End of the application +void finish() { + + // Destroy the viewer and the scene + delete viewer; + delete scene; +} + +// Display the scene +void display() { + + // Render the scene + scene->render(); + + // Display the FPS + viewer->displayGUI(); + + // Swap the buffers + glutSwapBuffers(); + + // Check the OpenGL errors + GlutViewer::checkOpenGLErrors(); +} + + diff --git a/examples/collisionshapes/Scene.cpp b/examples/collisionshapes/Scene.cpp new file mode 100644 index 00000000..360dba9e --- /dev/null +++ b/examples/collisionshapes/Scene.cpp @@ -0,0 +1,451 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" + +// Namespaces +using namespace openglframework; + +// Constructor +Scene::Scene(GlutViewer* viewer) : mViewer(viewer), mLight0(0), + mPhongShader("shaders/phong.vert", + "shaders/phong.frag"), mIsRunning(false) { + + // Move the light 0 + mLight0.translateWorld(Vector3(50, 50, 50)); + + // Compute the radius and the center of the scene + float radiusScene = 10.0f; + openglframework::Vector3 center(0, 5, 0); + + // Set the center of the scene + mViewer->setScenePosition(center, radiusScene); + + // Gravity vector in the dynamics world + rp3d::Vector3 gravity(0, rp3d::decimal(-9.81), 0); + + // Time step for the physics simulation + rp3d::decimal timeStep = 1.0f / 60.0f; + + // Create the dynamics world for the physics simulation + mDynamicsWorld = new rp3d::DynamicsWorld(gravity, timeStep); + + // Set the number of iterations of the constraint solver + mDynamicsWorld->setNbIterationsVelocitySolver(15); + + // Create the static data for the visual contact points + VisualContactPoint::createStaticData(); + + float radius = 3.0f; + + // Create all the boxes of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = box->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the sphere the list of sphere in the scene + mBoxes.push_back(box); + } + + // Create all the spheres of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = sphere->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the sphere the list of sphere in the scene + mSpheres.push_back(sphere); + } + + // Create all the cones of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = cone->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the cone the list of sphere in the scene + mCones.push_back(cone); + } + + // Create all the cylinders of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = cylinder->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the cylinder the list of sphere in the scene + mCylinders.push_back(cylinder); + } + + // Create all the capsules of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = capsule->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the cylinder the list of sphere in the scene + mCapsules.push_back(capsule); + } + + // Create all the convex meshes of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = mesh->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Add the mesh the list of sphere in the scene + mConvexMeshes.push_back(mesh); + } + + // Create the floor + openglframework::Vector3 floorPosition(0, 0, 0); + mFloor = new Box(FLOOR_SIZE, floorPosition, FLOOR_MASS, mDynamicsWorld); + + // The floor must be a non-moving rigid body + mFloor->getRigidBody()->enableMotion(false); + + // Change the material properties of the rigid body + rp3d::Material& material = mFloor->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.2)); + + // Start the simulation + startSimulation(); +} + +// Destructor +Scene::~Scene() { + + // Stop the physics simulation + stopSimulation(); + + // Destroy the shader + mPhongShader.destroy(); + + // Destroy all the boxes of the scene + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the box + delete (*it); + } + + // Destroy all the sphere of the scene + for (std::vector::iterator it = mSpheres.begin(); it != mSpheres.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the sphere + delete (*it); + } + + // Destroy all the cones of the scene + for (std::vector::iterator it = mCones.begin(); it != mCones.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the sphere + delete (*it); + } + + // Destroy all the cylinders of the scene + for (std::vector::iterator it = mCylinders.begin(); it != mCylinders.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the sphere + delete (*it); + } + + // Destroy all the capsules of the scene + for (std::vector::iterator it = mCapsules.begin(); it != mCapsules.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the sphere + delete (*it); + } + + // Destroy all the convex meshes of the scene + for (std::vector::iterator it = mConvexMeshes.begin(); + it != mConvexMeshes.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the convex mesh + delete (*it); + } + + // Destroy all the visual contact points + for (std::vector::iterator it = mContactPoints.begin(); + it != mContactPoints.end(); ++it) { + delete (*it); + } + + // Destroy the static data for the visual contact points + VisualContactPoint::destroyStaticData(); + + // Destroy the rigid body of the floor + mDynamicsWorld->destroyRigidBody(mFloor->getRigidBody()); + + // Destroy the floor + delete mFloor; + + // Destroy the dynamics world + delete mDynamicsWorld; +} + +// Take a step for the simulation +void Scene::simulate() { + + // If the physics simulation is running + if (mIsRunning) { + + // Take a simulation step + mDynamicsWorld->update(); + + // Update the position and orientation of the boxes + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Update the position and orientation of the sphere + for (std::vector::iterator it = mSpheres.begin(); it != mSpheres.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Update the position and orientation of the cones + for (std::vector::iterator it = mCones.begin(); it != mCones.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Update the position and orientation of the cylinders + for (std::vector::iterator it = mCylinders.begin(); it != mCylinders.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Update the position and orientation of the capsules + for (std::vector::iterator it = mCapsules.begin(); it != mCapsules.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Update the position and orientation of the convex meshes + for (std::vector::iterator it = mConvexMeshes.begin(); + it != mConvexMeshes.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + // Destroy all the visual contact points + for (std::vector::iterator it = mContactPoints.begin(); + it != mContactPoints.end(); ++it) { + delete (*it); + } + mContactPoints.clear(); + + // Generate the new visual contact points + const std::vector& manifolds = mDynamicsWorld->getContactManifolds(); + for (std::vector::const_iterator it = manifolds.begin(); + it != manifolds.end(); ++it) { + for (unsigned int i=0; i<(*it)->getNbContactPoints(); i++) { + rp3d::ContactPoint* point = (*it)->getContactPoint(i); + + const rp3d::Vector3 pos = point->getWorldPointOnBody1(); + openglframework::Vector3 position(pos.x, pos.y, pos.z); + VisualContactPoint* visualPoint = new VisualContactPoint(position); + mContactPoints.push_back(visualPoint); + } + } + + mFloor->updateTransform(); + } +} + +// Render the scene +void Scene::render() { + + glEnable(GL_DEPTH_TEST); + glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); + glEnable(GL_CULL_FACE); + + // Get the world-space to camera-space matrix + const Camera& camera = mViewer->getCamera(); + const openglframework::Matrix4 worldToCameraMatrix = camera.getTransformMatrix().getInverse(); + + // Bind the shader + mPhongShader.bind(); + + // Set the variables of the shader + mPhongShader.setMatrix4x4Uniform("projectionMatrix", camera.getProjectionMatrix()); + mPhongShader.setVector3Uniform("light0PosCameraSpace", worldToCameraMatrix * mLight0.getOrigin()); + mPhongShader.setVector3Uniform("lightAmbientColor", Vector3(0.3f, 0.3f, 0.3f)); + const Color& diffColLight0 = mLight0.getDiffuseColor(); + const Color& specColLight0 = mLight0.getSpecularColor(); + mPhongShader.setVector3Uniform("light0DiffuseColor", Vector3(diffColLight0.r, diffColLight0.g, diffColLight0.b)); + mPhongShader.setVector3Uniform("light0SpecularColor", Vector3(specColLight0.r, specColLight0.g, specColLight0.b)); + mPhongShader.setFloatUniform("shininess", 200.0f); + + // Render all the boxes of the scene + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the sphere of the scene + for (std::vector::iterator it = mSpheres.begin(); it != mSpheres.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the cones of the scene + for (std::vector::iterator it = mCones.begin(); it != mCones.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the cylinders of the scene + for (std::vector::iterator it = mCylinders.begin(); it != mCylinders.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the capsules of the scene + for (std::vector::iterator it = mCapsules.begin(); it != mCapsules.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the convex meshes of the scene + for (std::vector::iterator it = mConvexMeshes.begin(); + it != mConvexMeshes.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render all the visual contact points + for (std::vector::iterator it = mContactPoints.begin(); + it != mContactPoints.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render the floor + mFloor->render(mPhongShader, worldToCameraMatrix); + + // Unbind the shader + mPhongShader.unbind(); +} diff --git a/examples/collisionshapes/Scene.h b/examples/collisionshapes/Scene.h new file mode 100644 index 00000000..d893b311 --- /dev/null +++ b/examples/collisionshapes/Scene.h @@ -0,0 +1,153 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef SCENE_H +#define SCENE_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" +#include "Sphere.h" +#include "Box.h" +#include "Cone.h" +#include "Cylinder.h" +#include "Capsule.h" +#include "ConvexMesh.h" +#include "VisualContactPoint.h" + +// Constants +const int NB_BOXES = 3; +const int NB_SPHERES = 3; +const int NB_CONES = 3; +const int NB_CYLINDERS = 3; +const int NB_CAPSULES = 3; +const int NB_MESHES = 3; +const openglframework::Vector3 BOX_SIZE(2, 2, 2); +const float SPHERE_RADIUS = 1.5f; +const float CONE_RADIUS = 2.0f; +const float CONE_HEIGHT = 3.0f; +const float CYLINDER_RADIUS = 1.0f; +const float CYLINDER_HEIGHT = 5.0f; +const float CAPSULE_RADIUS = 1.0f; +const float CAPSULE_HEIGHT = 1.0f; +const openglframework::Vector3 FLOOR_SIZE(20, 0.5f, 20); // Floor dimensions in meters +const float BOX_MASS = 1.0f; +const float CONE_MASS = 1.0f; +const float CYLINDER_MASS = 1.0f; +const float CAPSULE_MASS = 1.0f; +const float MESH_MASS = 1.0f; +const float FLOOR_MASS = 100.0f; // Floor mass in kilograms + +// Class Scene +class Scene { + + private : + + // -------------------- Attributes -------------------- // + + /// Pointer to the viewer + openglframework::GlutViewer* mViewer; + + /// Light 0 + openglframework::Light mLight0; + + /// Phong shader + openglframework::Shader mPhongShader; + + /// All the spheres of the scene + std::vector mBoxes; + + std::vector mSpheres; + + std::vector mCones; + + std::vector mCylinders; + + std::vector mCapsules; + + /// All the convex meshes of the scene + std::vector mConvexMeshes; + + /// All the visual contact points + std::vector mContactPoints; + + /// Box for the floor + Box* mFloor; + + /// Dynamics world used for the physics simulation + rp3d::DynamicsWorld* mDynamicsWorld; + + /// True if the physics simulation is running + bool mIsRunning; + + public: + + // -------------------- Methods -------------------- // + + /// Constructor + Scene(openglframework::GlutViewer* viewer); + + /// Destructor + ~Scene(); + + /// Take a step for the simulation + void simulate(); + + /// Stop the simulation + void stopSimulation(); + + /// Start the simulation + void startSimulation(); + + /// Pause or continue simulation + void pauseContinueSimulation(); + + /// Render the scene + void render(); +}; + +// Stop the simulation +inline void Scene::stopSimulation() { + mDynamicsWorld->stop(); + mIsRunning = false; +} + +// Start the simulation +inline void Scene::startSimulation() { + mDynamicsWorld->start(); + mIsRunning = true; +} + +// Pause or continue simulation +inline void Scene::pauseContinueSimulation() { + if (mIsRunning) { + stopSimulation(); + } + else { + startSimulation(); + } +} + +#endif diff --git a/examples/common/Box.cpp b/examples/common/Box.cpp new file mode 100644 index 00000000..e5a2bab1 --- /dev/null +++ b/examples/common/Box.cpp @@ -0,0 +1,192 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Box.h" + +// Macros +#define MEMBER_OFFSET(s,m) ((char *)NULL + (offsetof(s,m))) + +// Initialize static variables +openglframework::VertexBufferObject Box::mVBOVertices(GL_ARRAY_BUFFER); +openglframework::VertexBufferObject Box::mVBOIndices(GL_ELEMENT_ARRAY_BUFFER); +bool Box::areVBOsCreated = false; +VertexData Box::mCubeVertices[8] = { + {openglframework::Vector3(1,1,1),openglframework::Vector3(1,1,1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(-1,1,1),openglframework::Vector3(-1,1,1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(-1,-1,1),openglframework::Vector3(-1,-1,1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(1,-1,1),openglframework::Vector3(1,-1,1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(1,-1,-1),openglframework::Vector3(1,-1,-1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(-1,-1,-1),openglframework::Vector3(-1,-1,-1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(-1,1,-1),openglframework::Vector3(-1,1,-1),openglframework::Color(1,0,0,1)}, + {openglframework::Vector3(1,1,-1),openglframework::Vector3(1,1,-1),openglframework::Color(1,0,0,1)} +}; +GLuint Box::mCubeIndices[36] = { 0, 1, 2, + 2, 3, 0, + 7, 4, 5, + 5, 6, 7, + 6, 5, 2, + 2, 1, 6, + 7, 0, 3, + 3, 4, 7, + 7, 6, 1, + 1, 0, 7, + 3, 2, 5, + 5, 4, 3}; + +// Constructor +Box::Box(const openglframework::Vector3& size, const openglframework::Vector3 &position, + float mass, reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Object3D(), mColor(0.5f, 0.5f, 0.5f, 1.0f) { + + // Initialize the size of the box + mSize[0] = size.x * 0.5f; + mSize[1] = size.y * 0.5f; + mSize[2] = size.z * 0.5f; + + // Compute the scaling matrix + mScalingMatrix = openglframework::Matrix4(mSize[0], 0, 0, 0, + 0, mSize[1], 0, 0, + 0, 0, mSize[2], 0, + 0, 0, 0, 1); + + // Initialize the position where the cube will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (box shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + const rp3d::BoxShape collisionShape(rp3d::Vector3(mSize[0], mSize[1], mSize[2])); + + // Compute the inertia tensor of the body using its collision shape + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(position.x, position.y, position.z); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body corresponding to the cube in the dynamics world + mRigidBody = dynamicsWorld->createRigidBody(transform, mass, inertiaTensor, collisionShape); + + // If the Vertex Buffer object has not been created yet + if (!areVBOsCreated) { + // Create the Vertex Buffer + createVBO(); + } +} + +// Destructor +Box::~Box() { + +} + +// Render the cube at the correct position and with the correct orientation +void Box::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + // Set the vertex color + openglframework::Vector4 color(mColor.r, mColor.g, mColor.b, mColor.a); + shader.setVector4Uniform("vertexColor", color); + + // Bind the vertices VBO + mVBOVertices.bind(); + + // Enable the vertex, normal and color arrays + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_COLOR_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + + // Set the arrays pointers + glVertexPointer(3, GL_FLOAT, sizeof(VertexData), MEMBER_OFFSET(VertexData, position)); + glNormalPointer(GL_FLOAT, sizeof(VertexData), MEMBER_OFFSET(VertexData, normal)); + glColorPointer(3, GL_FLOAT, sizeof(VertexData), MEMBER_OFFSET(VertexData, color)); + + // Bind the indices VBO + mVBOIndices.bind(); + + // Draw the geometry of the box + glDrawElements(GL_TRIANGLES, 36, GL_UNSIGNED_INT, (char*)NULL); + + // Unbind the VBOs + mVBOVertices.unbind(); + mVBOIndices.unbind(); + + // Disable the arrays + glDisableClientState(GL_VERTEX_ARRAY); + glDisableClientState(GL_COLOR_ARRAY); + glDisableClientState(GL_NORMAL_ARRAY); + + // Unbind the shader + shader.unbind(); +} + +// Update the transform matrix of the box +void Box::updateTransform() { + + // Get the interpolated transform of the rigid body + rp3d::Transform transform = mRigidBody->getInterpolatedTransform(); + + // Compute the transform used for rendering the box + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct box dimensions + mTransformMatrix = newMatrix * mScalingMatrix; +} + +// Create the Vertex Buffer Objects used to render to box with OpenGL. +/// We create two VBOs (one for vertices and one for indices) to render all the boxes +/// in the simulation. +void Box::createVBO() { + + // Create the VBOs + mVBOVertices.create(); + mVBOIndices.create(); + + // Copy the data into the VBOs + mVBOVertices.copyDataIntoVBO(sizeof(mCubeVertices), mCubeVertices, GL_STATIC_DRAW); + mVBOIndices.copyDataIntoVBO(sizeof(mCubeIndices), mCubeIndices, GL_STATIC_DRAW); + + areVBOsCreated = true; +} diff --git a/examples/common/Box.h b/examples/common/Box.h new file mode 100644 index 00000000..e89368a2 --- /dev/null +++ b/examples/common/Box.h @@ -0,0 +1,119 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef BOX_H +#define BOX_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" + +// Structure VertexData +struct VertexData { + + /// Vertex position + openglframework::Vector3 position; + + /// Vertex normal + openglframework::Vector3 normal; + + // Vertex color + openglframework::Color color; +}; + +// Class Box +class Box : public openglframework::Object3D { + + private : + + // -------------------- Attributes -------------------- // + + /// Size of each side of the box + float mSize[3]; + + /// Rigid body used to simulate the dynamics of the box + rp3d::RigidBody* mRigidBody; + + /// Scaling matrix (applied to a cube to obtain the correct box dimensions) + openglframework::Matrix4 mScalingMatrix; + + /// Vertex Buffer Object for the vertices data used to render the box with OpenGL + static openglframework::VertexBufferObject mVBOVertices; + + /// Vertex Buffer Object for the indices used to render the box with OpenGL + static openglframework::VertexBufferObject mVBOIndices; + + /// Vertex data for each vertex of the cube (used to render the box) + static VertexData mCubeVertices[8]; + + /// Indices of the cube (used to render the box) + static GLuint mCubeIndices[36]; + + /// True if the VBOs have already been created + static bool areVBOsCreated; + + /// Main color of the box + openglframework::Color mColor; + + // -------------------- Methods -------------------- // + + /// Create a Vertex Buffer Object to render to box with OpenGL + static void createVBO(); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Box(const openglframework::Vector3& size, const openglframework::Vector3& position, + float mass, rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~Box(); + + /// Return a pointer to the rigid body of the box + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the box + void updateTransform(); + + /// Render the cube at the correct position and with the correct orientation + void render(openglframework::Shader& shader, const openglframework::Matrix4& worldToCameraMatrix); + + /// Set the color of the box + void setColor(const openglframework::Color& color); +}; + +// Return a pointer to the rigid body of the box +inline rp3d::RigidBody* Box::getRigidBody() { + return mRigidBody; +} + +// Set the color of the box +inline void Box::setColor(const openglframework::Color& color) { + mColor = color; +} + +#endif diff --git a/examples/common/CMakeLists.txt b/examples/common/CMakeLists.txt new file mode 100644 index 00000000..eb9eee29 --- /dev/null +++ b/examples/common/CMakeLists.txt @@ -0,0 +1,4 @@ +# Minimum cmake version required +CMAKE_MINIMUM_REQUIRED(VERSION 2.6) + +ADD_SUBDIRECTORY(opengl-framework/) diff --git a/examples/common/Capsule.cpp b/examples/common/Capsule.cpp new file mode 100644 index 00000000..d069e25f --- /dev/null +++ b/examples/common/Capsule.cpp @@ -0,0 +1,136 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Capsule.h" + + +// Constructor +Capsule::Capsule(float radius, float height, const openglframework::Vector3 &position, + float mass, reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Mesh(), mRadius(radius), mHeight(height) { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/capsule.obj", *this); + + // Calculate the normals of the mesh + calculateNormals(); + + // Compute the scaling matrix + mScalingMatrix = openglframework::Matrix4(mRadius, 0, 0, 0, + 0, (mHeight + 2.0f * mRadius) / 3.0f, 0,0, + 0, 0, mRadius, 0, + 0, 0, 0, 1.0f); + + // Initialize the position where the sphere will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (sphere shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + const rp3d::CapsuleShape collisionShape(mRadius, mHeight); + + // Compute the inertia tensor of the body using its collision shape + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(position.x, position.y, position.z); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body corresponding to the sphere in the dynamics world + mRigidBody = dynamicsWorld->createRigidBody(transform, mass, inertiaTensor, collisionShape); +} + +// Destructor +Capsule::~Capsule() { + + // Destroy the mesh + destroy(); +} + +// Render the sphere at the correct position and with the correct orientation +void Capsule::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, getNormalsPointer()); + if(hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; igetInterpolatedTransform(); + + // Compute the transform used for rendering the sphere + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct sphere dimensions + mTransformMatrix = newMatrix * mScalingMatrix; +} diff --git a/examples/common/Capsule.h b/examples/common/Capsule.h new file mode 100644 index 00000000..e99f9fa4 --- /dev/null +++ b/examples/common/Capsule.h @@ -0,0 +1,81 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef CAPSULE_H +#define CAPSULE_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" + +// Class Sphere +class Capsule : public openglframework::Mesh { + + private : + + // -------------------- Attributes -------------------- // + + /// Radius of the capsule + float mRadius; + + /// Height of the capsule + float mHeight; + + /// Rigid body used to simulate the dynamics of the sphere + rp3d::RigidBody* mRigidBody; + + /// Scaling matrix (applied to a sphere to obtain the correct sphere dimensions) + openglframework::Matrix4 mScalingMatrix; + + // -------------------- Methods -------------------- // + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Capsule(float radius, float height, const openglframework::Vector3& position, + float mass, rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~Capsule(); + + /// Return a pointer to the rigid body of the sphere + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the sphere + void updateTransform(); + + /// Render the sphere at the correct position and with the correct orientation + void render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix); +}; + +// Return a pointer to the rigid body of the sphere +inline rp3d::RigidBody* Capsule::getRigidBody() { + return mRigidBody; +} + +#endif diff --git a/examples/common/Cone.cpp b/examples/common/Cone.cpp new file mode 100644 index 00000000..6043c5be --- /dev/null +++ b/examples/common/Cone.cpp @@ -0,0 +1,136 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Cone.h" + + +// Constructor +Cone::Cone(float radius, float height, const openglframework::Vector3 &position, + float mass, reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Mesh(), mRadius(radius), mHeight(height) { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/cone.obj", *this); + + // Calculate the normals of the mesh + calculateNormals(); + + // Compute the scaling matrix + mScalingMatrix = openglframework::Matrix4(mRadius, 0, 0, 0, + 0, mHeight, 0, 0, + 0, 0, mRadius, 0, + 0, 0, 0, 1); + + // Initialize the position where the cone will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (cone shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + const rp3d::ConeShape collisionShape(mRadius, mHeight); + + // Compute the inertia tensor of the body using its collision shape + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(position.x, position.y, position.z); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body corresponding to the cone in the dynamics world + mRigidBody = dynamicsWorld->createRigidBody(transform, mass, inertiaTensor, collisionShape); +} + +// Destructor +Cone::~Cone() { + + // Destroy the mesh + destroy(); +} + +// Render the cone at the correct position and with the correct orientation +void Cone::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, getNormalsPointer()); + if(hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; igetInterpolatedTransform(); + + // Compute the transform used for rendering the cone + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct cone dimensions + mTransformMatrix = newMatrix * mScalingMatrix; +} diff --git a/examples/common/Cone.h b/examples/common/Cone.h new file mode 100644 index 00000000..fabb7157 --- /dev/null +++ b/examples/common/Cone.h @@ -0,0 +1,81 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef CONE_H +#define CONE_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" + +// Class Cone +class Cone : public openglframework::Mesh { + + private : + + // -------------------- Attributes -------------------- // + + /// Radius of the cone + float mRadius; + + /// Height of the cone + float mHeight; + + /// Rigid body used to simulate the dynamics of the cone + rp3d::RigidBody* mRigidBody; + + /// Scaling matrix (applied to a sphere to obtain the correct cone dimensions) + openglframework::Matrix4 mScalingMatrix; + + // -------------------- Methods -------------------- // + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Cone(float radius, float height, const openglframework::Vector3& position, + float mass, rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~Cone(); + + /// Return a pointer to the rigid body of the cone + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the cone + void updateTransform(); + + /// Render the cone at the correct position and with the correct orientation + void render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix); +}; + +// Return a pointer to the rigid body of the cone +inline rp3d::RigidBody* Cone::getRigidBody() { + return mRigidBody; +} + +#endif diff --git a/examples/common/ConvexMesh.cpp b/examples/common/ConvexMesh.cpp new file mode 100644 index 00000000..2e8307ee --- /dev/null +++ b/examples/common/ConvexMesh.cpp @@ -0,0 +1,149 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "ConvexMesh.h" + + +// Constructor +ConvexMesh::ConvexMesh(const openglframework::Vector3 &position, float mass, + reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Mesh() { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/convexmesh.obj", *this); + + // Calculate the normals of the mesh + calculateNormals(); + + // Initialize the position where the sphere will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (convex mesh shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + rp3d::decimal* verticesArray = (rp3d::decimal*) getVerticesPointer(); + rp3d::ConvexMeshShape collisionShape(verticesArray, mVertices.size(), + sizeof(openglframework::Vector3)); + + // Add the edges information of the mesh into the convex mesh collision shape. + // This is optional but it really speed up the convex mesh collision detection at the + // cost of some additional memory to store the edges inside the collision shape. + for (unsigned int i=0; icreateRigidBody(transform, mass, inertiaTensor, collisionShape); +} + +// Destructor +ConvexMesh::~ConvexMesh() { + + // Destroy the mesh + destroy(); +} + +// Render the sphere at the correct position and with the correct orientation +void ConvexMesh::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, getNormalsPointer()); + if(hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; igetInterpolatedTransform(); + + // Compute the transform used for rendering the sphere + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct sphere dimensions + mTransformMatrix = newMatrix; +} diff --git a/examples/common/ConvexMesh.h b/examples/common/ConvexMesh.h new file mode 100644 index 00000000..46ae8c09 --- /dev/null +++ b/examples/common/ConvexMesh.h @@ -0,0 +1,72 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef CONVEX_MESH_H +#define CONVEX_MESH_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" + +// Class ConvexMesh +class ConvexMesh : public openglframework::Mesh { + + private : + + // -------------------- Attributes -------------------- // + + /// Rigid body used to simulate the dynamics of the mesh + rp3d::RigidBody* mRigidBody; + + // -------------------- Methods -------------------- // + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + ConvexMesh(const openglframework::Vector3& position, float mass, + rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~ConvexMesh(); + + /// Return a pointer to the rigid body of the mesh + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the mesh + void updateTransform(); + + /// Render the mesh at the correct position and with the correct orientation + void render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix); +}; + +// Return a pointer to the rigid body of the mesh +inline rp3d::RigidBody* ConvexMesh::getRigidBody() { + return mRigidBody; +} + +#endif diff --git a/examples/common/Cylinder.cpp b/examples/common/Cylinder.cpp new file mode 100644 index 00000000..b0b089e1 --- /dev/null +++ b/examples/common/Cylinder.cpp @@ -0,0 +1,136 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Cylinder.h" + + +// Constructor +Cylinder::Cylinder(float radius, float height, const openglframework::Vector3 &position, + float mass, reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Mesh(), mRadius(radius), mHeight(height) { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/cylinder.obj", *this); + + // Calculate the normals of the mesh + calculateNormals(); + + // Compute the scaling matrix + mScalingMatrix = openglframework::Matrix4(mRadius, 0, 0, 0, + 0, mHeight, 0, 0, + 0, 0, mRadius, 0, + 0, 0, 0, 1); + + // Initialize the position where the cylinder will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (cylinder shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + const rp3d::CylinderShape collisionShape(mRadius, mHeight); + + // Compute the inertia tensor of the body using its collision shape + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(position.x, position.y, position.z); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body corresponding to the cylinder in the dynamics world + mRigidBody = dynamicsWorld->createRigidBody(transform, mass, inertiaTensor, collisionShape); +} + +// Destructor +Cylinder::~Cylinder() { + + // Destroy the mesh + destroy(); +} + +// Render the cylinder at the correct position and with the correct orientation +void Cylinder::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, getNormalsPointer()); + if(hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; igetInterpolatedTransform(); + + // Compute the transform used for rendering the cylinder + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct cylinder dimensions + mTransformMatrix = newMatrix * mScalingMatrix; +} diff --git a/examples/common/Cylinder.h b/examples/common/Cylinder.h new file mode 100644 index 00000000..e094580d --- /dev/null +++ b/examples/common/Cylinder.h @@ -0,0 +1,81 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef CYLINDER_H +#define CYLINDER_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" + +// Class Cylinder +class Cylinder : public openglframework::Mesh { + + private : + + // -------------------- Attributes -------------------- // + + /// Radius of the cylinder + float mRadius; + + /// Height of the cylinder + float mHeight; + + /// Rigid body used to simulate the dynamics of the cylinder + rp3d::RigidBody* mRigidBody; + + /// Scaling matrix (applied to a sphere to obtain the correct cylinder dimensions) + openglframework::Matrix4 mScalingMatrix; + + // -------------------- Methods -------------------- // + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Cylinder(float radius, float height, const openglframework::Vector3& position, + float mass, rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~Cylinder(); + + /// Return a pointer to the rigid body of the cylinder + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the cylinder + void updateTransform(); + + /// Render the cylinder at the correct position and with the correct orientation + void render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix); +}; + +// Return a pointer to the rigid body of the cylinder +inline rp3d::RigidBody* Cylinder::getRigidBody() { + return mRigidBody; +} + +#endif diff --git a/examples/common/Sphere.cpp b/examples/common/Sphere.cpp new file mode 100644 index 00000000..4a62b0b1 --- /dev/null +++ b/examples/common/Sphere.cpp @@ -0,0 +1,136 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Sphere.h" + + +// Constructor +Sphere::Sphere(float radius, const openglframework::Vector3 &position, + float mass, reactphysics3d::DynamicsWorld* dynamicsWorld) + : openglframework::Mesh(), mRadius(radius) { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/sphere.obj", *this); + + // Calculate the normals of the mesh + calculateNormals(); + + // Compute the scaling matrix + mScalingMatrix = openglframework::Matrix4(mRadius, 0, 0, 0, + 0, mRadius, 0, 0, + 0, 0, mRadius, 0, + 0, 0, 0, 1); + + // Initialize the position where the sphere will be rendered + translateWorld(position); + + // Create the collision shape for the rigid body (sphere shape) + // ReactPhysics3D will clone this object to create an internal one. Therefore, + // it is OK if this object is destroyed right after calling Dynamics::createRigidBody() + const rp3d::SphereShape collisionShape(mRadius); + + // Compute the inertia tensor of the body using its collision shape + rp3d::Matrix3x3 inertiaTensor; + collisionShape.computeLocalInertiaTensor(inertiaTensor, mass); + + // Initial position and orientation of the rigid body + rp3d::Vector3 initPosition(position.x, position.y, position.z); + rp3d::Quaternion initOrientation = rp3d::Quaternion::identity(); + rp3d::Transform transform(initPosition, initOrientation); + + // Create a rigid body corresponding to the sphere in the dynamics world + mRigidBody = dynamicsWorld->createRigidBody(transform, mass, inertiaTensor, collisionShape); +} + +// Destructor +Sphere::~Sphere() { + + // Destroy the mesh + destroy(); +} + +// Render the sphere at the correct position and with the correct orientation +void Sphere::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, getNormalsPointer()); + if(hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; igetInterpolatedTransform(); + + // Compute the transform used for rendering the sphere + float matrix[16]; + transform.getOpenGLMatrix(matrix); + openglframework::Matrix4 newMatrix(matrix[0], matrix[4], matrix[8], matrix[12], + matrix[1], matrix[5], matrix[9], matrix[13], + matrix[2], matrix[6], matrix[10], matrix[14], + matrix[3], matrix[7], matrix[11], matrix[15]); + + // Apply the scaling matrix to have the correct sphere dimensions + mTransformMatrix = newMatrix * mScalingMatrix; +} diff --git a/src/collision/ContactInfo.h b/examples/common/Sphere.h similarity index 65% rename from src/collision/ContactInfo.h rename to examples/common/Sphere.h index c68479d9..dccef0eb 100644 --- a/src/collision/ContactInfo.h +++ b/examples/common/Sphere.h @@ -23,59 +23,56 @@ * * ********************************************************************************/ -#ifndef CONTACT_INFO_H -#define CONTACT_INFO_H +#ifndef SPHERE_H +#define SPHERE_H // Libraries -#include "../collision/shapes/BoxShape.h" -#include "../mathematics/mathematics.h" +#include "openglframework.h" +#include "reactphysics3d.h" -// ReactPhysics3D namespace -namespace reactphysics3d { +// Class Sphere +class Sphere : public openglframework::Mesh { -// Structure ContactInfo -/** - * This structure contains informations about a collision contact - * computed during the narrow-phase collision detection. Those - * informations are used to compute the contact set for a contact - * between two bodies. - */ -struct ContactInfo { - - private: - - // -------------------- Methods -------------------- // - - /// Private copy-constructor - ContactInfo(const ContactInfo& contactInfo); - - /// Private assignment operator - ContactInfo& operator=(const ContactInfo& contactInfo); - - public: + private : // -------------------- Attributes -------------------- // - /// Normal vector the the collision contact in world space - const Vector3 normal; + /// Radius of the sphere + float mRadius; - /// Penetration depth of the contact - const decimal penetrationDepth; + /// Rigid body used to simulate the dynamics of the sphere + rp3d::RigidBody* mRigidBody; - /// Contact point of body 1 in local space of body 1 - const Vector3 localPoint1; + /// Scaling matrix (applied to a sphere to obtain the correct sphere dimensions) + openglframework::Matrix4 mScalingMatrix; - /// Contact point of body 2 in local space of body 2 - const Vector3 localPoint2; + // -------------------- Methods -------------------- // + + public : // -------------------- Methods -------------------- // /// Constructor - ContactInfo(const Vector3& normal, decimal penetrationDepth, - const Vector3& localPoint1, const Vector3& localPoint2); + Sphere(float radius, const openglframework::Vector3& position, + float mass, rp3d::DynamicsWorld* dynamicsWorld); + + /// Destructor + ~Sphere(); + + /// Return a pointer to the rigid body of the sphere + rp3d::RigidBody* getRigidBody(); + + /// Update the transform matrix of the sphere + void updateTransform(); + + /// Render the sphere at the correct position and with the correct orientation + void render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix); }; +// Return a pointer to the rigid body of the sphere +inline rp3d::RigidBody* Sphere::getRigidBody() { + return mRigidBody; } #endif - diff --git a/examples/common/Viewer.cpp b/examples/common/Viewer.cpp new file mode 100644 index 00000000..1ff19ccc --- /dev/null +++ b/examples/common/Viewer.cpp @@ -0,0 +1,85 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Viewer.h" +#include "openglframework.h" +#include + +// Constructor +Viewer::Viewer() : openglframework::GlutViewer(), fps(0), nbFrames(0) { + +} + +// Compute the FPS +void Viewer::computeFPS() { + + nbFrames++; + + // Get the number of milliseconds since glutInit called + currentTime = glutGet(GLUT_ELAPSED_TIME); + + // Calculate time passed + int timeInterval = currentTime - previousTime; + + // Update the FPS counter each second + if(timeInterval > 1000){ + + // calculate the number of frames per second + fps = static_cast(nbFrames / (timeInterval / 1000.0f)); + + // Set time + previousTime = currentTime; + + // Reset frame count + nbFrames = 0; + } +} + +// Display the GUI +void Viewer::displayGUI() { + + // Display the FPS + displayFPS(); +} + +// Display the FPS +void Viewer::displayFPS() { + +#ifdef USE_FREEGLUT + glMatrixMode(GL_PROJECTION); + glLoadIdentity(); + glOrtho(0, mCamera.getWidth(), mCamera.getHeight(), 0, -1, 1); + + glMatrixMode(GL_MODELVIEW); + glLoadIdentity(); + + glRasterPos2i(10, 20); + glColor4f(1.0f, 1.0f, 1.0f, 1.0f); + std::stringstream ss; + ss << "FPS : " << fps; + glutBitmapString(GLUT_BITMAP_HELVETICA_12, (const unsigned char*)ss.str().c_str()); +#endif +} diff --git a/examples/common/Viewer.h b/examples/common/Viewer.h new file mode 100644 index 00000000..572154fa --- /dev/null +++ b/examples/common/Viewer.h @@ -0,0 +1,71 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef VIEWER_H +#define VIEWER_H + +// Libraries +#include "openglframework.h" + +// Class Viewer +class Viewer : public openglframework::GlutViewer { + + private : + + // -------------------- Attributes -------------------- // + + /// Current number of frames per seconds + int fps; + + /// Number of frames during the last second + int nbFrames; + + /// Current time for fps computation + int currentTime; + + /// Previous time for fps computation + int previousTime; + + // -------------------- Methods -------------------- // + + /// Display the FPS + void displayFPS(); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Viewer(); + + /// Compute the FPS + void computeFPS(); + + /// Display the GUI + void displayGUI(); + +}; + +#endif diff --git a/examples/common/VisualContactPoint.cpp b/examples/common/VisualContactPoint.cpp new file mode 100644 index 00000000..8cbfa489 --- /dev/null +++ b/examples/common/VisualContactPoint.cpp @@ -0,0 +1,115 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "VisualContactPoint.h" + +// Initialization of static variables +int VisualContactPoint::mNbTotalPoints = 0; +bool VisualContactPoint::mIsMeshInitialized = false; +openglframework::Mesh VisualContactPoint::mMesh; + +// Constructor +VisualContactPoint::VisualContactPoint(const openglframework::Vector3 &position) { + + assert(mIsMeshInitialized); + + // Initialize the position where the sphere will be rendered + translateWorld(position); +} + +// Destructor +VisualContactPoint::~VisualContactPoint() { + +} + +// Load and initialize the mesh for all the contact points +void VisualContactPoint::createStaticData() { + + if (!mIsMeshInitialized) { + + // Load the mesh from a file + openglframework::MeshReaderWriter::loadMeshFromFile("meshes/sphere.obj", mMesh); + + // Calculate the normals of the mesh + mMesh.calculateNormals(); + + mMesh.scaleVertices(VISUAL_CONTACT_POINT_RADIUS); + + mIsMeshInitialized = true; + } +} + +// Destroy the mesh for the contact points +void VisualContactPoint::destroyStaticData() { + + mMesh.destroy(); + mIsMeshInitialized = false; +} + +// Render the sphere at the correct position and with the correct orientation +void VisualContactPoint::render(openglframework::Shader& shader, + const openglframework::Matrix4& worldToCameraMatrix) { + + // Bind the shader + shader.bind(); + + // Set the model to camera matrix + const openglframework::Matrix4 localToCameraMatrix = worldToCameraMatrix * mTransformMatrix; + shader.setMatrix4x4Uniform("localToCameraMatrix", localToCameraMatrix); + + // Set the normal matrix (inverse transpose of the 3x3 upper-left sub matrix of the + // model-view matrix) + const openglframework::Matrix3 normalMatrix = + localToCameraMatrix.getUpperLeft3x3Matrix().getInverse().getTranspose(); + shader.setMatrix3x3Uniform("normalMatrix", normalMatrix); + + glEnableClientState(GL_VERTEX_ARRAY); + glEnableClientState(GL_NORMAL_ARRAY); + if (mMesh.hasTexture()) { + glEnableClientState(GL_TEXTURE_COORD_ARRAY); + } + + glVertexPointer(3, GL_FLOAT, 0, mMesh.getVerticesPointer()); + glNormalPointer(GL_FLOAT, 0, mMesh.getNormalsPointer()); + if(mMesh.hasTexture()) { + glTexCoordPointer(2, GL_FLOAT, 0, mMesh.getUVTextureCoordinatesPointer()); + } + + // For each part of the mesh + for (unsigned int i=0; i + +// Namespaces +using namespace openglframework; + +// Constructor +Camera::Camera() : Object3D() { + + // Set default values + mFieldOfView = 45.0f; + mSceneRadius = 1.0f; + mNearPlane = 0.1f; + mFarPlane = 10.0f; + mWidth = 1; + mHeight = 1; + + // Update the projection matrix + updateProjectionMatrix(); +} + +// Destructor +Camera::~Camera() { + +} + +// Update the projection matrix +void Camera::updateProjectionMatrix() { + + // Compute the aspect ratio + float aspect = float(mWidth) / float(mHeight); + + float top = mNearPlane * tan((mFieldOfView / 2.0f) * (float(PI) / 180.0f)); + float bottom = -top; + float left = bottom * aspect; + float right = top * aspect; + + float fx = 2.0f * mNearPlane / (right - left); + float fy = 2.0f * mNearPlane / (top - bottom); + float fz = -(mFarPlane + mNearPlane) / (mFarPlane - mNearPlane); + float fw = -2.0f * mFarPlane * mNearPlane / (mFarPlane - mNearPlane); + + // Recompute the projection matrix + mProjectionMatrix = Matrix4(fx, 0, 0, 0, + 0, fy, 0, 0, + 0, 0, fz, fw, + 0, 0, -1, 0); +} + +// Translate the camera go a given point using the dx, dy fraction +void Camera::translateCamera(float dx, float dy, const Vector3& worldPoint) { + + // Transform the world point into camera coordinates + Vector3 pointCamera = mTransformMatrix.getInverse() * worldPoint; + + // Get the depth + float z = -pointCamera.z; + + // Find the scaling of dx and dy from windows coordinates to near plane coordinates + // and from there to camera coordinates at the object's depth + float aspect = float(mWidth) / float(mHeight); + float top = mNearPlane * tan(mFieldOfView * PI / 360.0f); + float right = top * aspect; + + // Translate the camera + translateLocal(Vector3(2.0f * dx * right / mNearPlane * z, + -2.0f * dy * top / mNearPlane * z, + 0.0f)); +} diff --git a/examples/common/opengl-framework/src/Camera.h b/examples/common/opengl-framework/src/Camera.h new file mode 100644 index 00000000..76b24407 --- /dev/null +++ b/examples/common/opengl-framework/src/Camera.h @@ -0,0 +1,181 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef CAMERA_H +#define CAMERA_H + +// Libraries +#include "Object3D.h" +#include "definitions.h" + +namespace openglframework { + +// Class Camera +class Camera : public Object3D { + + protected : + + // ------------------- Attributes ------------------- // + + // Field of view + float mFieldOfView; + + // Radius of the scene + float mSceneRadius; + + // Near plane + float mNearPlane; + + // Far plane + float mFarPlane; + + // Width of the camera + uint mWidth; + + // Height of the camera + uint mHeight; + + // Projection matrix + Matrix4 mProjectionMatrix; + + // ------------------- Methods ------------------- // + + // Update the projection matrix + void updateProjectionMatrix(); + + public: + + // ------------------- Methods ------------------- // + + // Constructor + Camera(); + + // Destructor + ~Camera(); + + // Get the projection matrix + const Matrix4& getProjectionMatrix() const; + + // Set the dimensions of the camera + void setDimensions(uint width, uint height); + + // Get the radius of the scene the camera should capture + float getSceneRadius() const; + + // Set the radius of the scene the camera should capture + // This will update the clipping planes accordingly + void setSceneRadius(float radius); + + // Set the clipping planes + void setClippingPlanes(float near, float far); + + // Set the field of view + void setFieldOfView(float fov); + + // Set the zoom of the camera (a fraction between 0 and 1) + void setZoom(float fraction); + + // Translate the camera go a given point using the dx, dy fraction + void translateCamera(float dx, float dy, const Vector3& worldPoint); + + // Get the near clipping plane + float getNearClippingPlane() const; + + // Get the far clipping plane + float getFarClippingPlane() const; + + // Get the width + uint getWidth() const; + + // Get the height + uint getHeight() const; +}; + +// Get the projection matrix +inline const Matrix4& Camera::getProjectionMatrix() const { + return mProjectionMatrix; +} + +// Set the dimensions of the camera +inline void Camera::setDimensions(uint width, uint height) { + mWidth = width; + mHeight = height; + updateProjectionMatrix(); +} + +// Get the radius of the scene the camera should capture +inline float Camera::getSceneRadius() const { + return mSceneRadius; +} + +// Set the radius of the scene the camera should capture +// This will update the clipping planes accordingly +inline void Camera::setSceneRadius(float radius) { + mSceneRadius = radius; + setClippingPlanes(0.01f * radius, 10.0f * radius); +} + +// Set the clipping planes +inline void Camera::setClippingPlanes(float near, float far) { + mNearPlane = near; + mFarPlane = far; + updateProjectionMatrix(); +} + +// Set the field of view +inline void Camera::setFieldOfView(float fov) { + mFieldOfView = fov; + updateProjectionMatrix(); +} + +// Set the zoom of the camera (a fraction between 0 and 1) +inline void Camera::setZoom(float fraction) { + Vector3 zoomVector(0, 0, mSceneRadius * fraction * 3.0f); + translateLocal(zoomVector); +} + +// Get the near clipping plane +inline float Camera::getNearClippingPlane() const { + return mNearPlane; +} + +// Get the far clipping plane +inline float Camera::getFarClippingPlane() const { + return mFarPlane; +} + +// Get the width +inline uint Camera::getWidth() const { + return mWidth; +} + +// Get the height +inline uint Camera::getHeight() const { + return mHeight; +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/FrameBufferObject.cpp b/examples/common/opengl-framework/src/FrameBufferObject.cpp new file mode 100644 index 00000000..5f67be23 --- /dev/null +++ b/examples/common/opengl-framework/src/FrameBufferObject.cpp @@ -0,0 +1,115 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "FrameBufferObject.h" +#include + +using namespace openglframework; +using namespace std; + +// Constructor +FrameBufferObject::FrameBufferObject() : mFrameBufferID(0), mRenderBufferID (0) { + +} + +// Destructor +FrameBufferObject::~FrameBufferObject() { + +} + +// Create the frame buffer object +bool FrameBufferObject::create(uint width, uint height, bool needRenderBuffer) { + + // Destroy the current FBO + destroy(); + + // Check that the needed OpenGL extensions are available + bool isExtensionOK = checkOpenGLExtensions(); + if (!isExtensionOK) { + std::cerr << "Error : Impossible to use Framebuffer Object on this platform" << std::endl; + assert(false); + return false; + } + + // Generate a new FBO + glGenFramebuffersEXT(1, &mFrameBufferID); + assert(mFrameBufferID != 0); + + // If we also need to create a render buffer + if (needRenderBuffer) { + + // Generate the render buffer + glGenRenderbuffers(1, &mRenderBufferID); + assert(mRenderBufferID != 0); + + glBindRenderbuffer(GL_RENDERBUFFER, mRenderBufferID); + glRenderbufferStorage(GL_RENDERBUFFER, GL_DEPTH_COMPONENT32, width, height); + glBindFramebuffer(GL_FRAMEBUFFER, mFrameBufferID); + glFramebufferRenderbuffer(GL_FRAMEBUFFER, GL_DEPTH_ATTACHMENT, GL_RENDERBUFFER, + mRenderBufferID); + glBindRenderbuffer(GL_RENDERBUFFER, 0); + glBindFramebuffer(GL_FRAMEBUFFER, 0); + } + + // Check the FBO status + GLenum statusFBO = glCheckFramebufferStatus(GL_FRAMEBUFFER); + if(statusFBO != GL_FRAMEBUFFER_COMPLETE) { + std::cerr << "Error : An error occured while creating the Frame Buffer Object !" << endl; + assert(false); + return false; + } + + return true; +} + +// Destroy the FBO +void FrameBufferObject::destroy() { + + // Delete the frame buffer object + if (mFrameBufferID) { + glDeleteFramebuffers(1, &mFrameBufferID); + mFrameBufferID = 0; + } + + // Delete the render buffer + if (mRenderBufferID) { + glDeleteRenderbuffers(1, &mRenderBufferID); + } +} + +// Attach a texture to the frame buffer object +void FrameBufferObject::attachTexture(uint position, uint textureID) { + assert(mFrameBufferID); + + // Bind the current FBO + glBindFramebuffer(GL_FRAMEBUFFER, mFrameBufferID); + + // Bind the texture + glFramebufferTexture2D(GL_FRAMEBUFFER, position, GL_TEXTURE_2D, textureID, 0); + + // Unbind the current FBO + glBindFramebuffer(GL_FRAMEBUFFER, 0); +} diff --git a/examples/common/opengl-framework/src/FrameBufferObject.h b/examples/common/opengl-framework/src/FrameBufferObject.h new file mode 100644 index 00000000..a76951c7 --- /dev/null +++ b/examples/common/opengl-framework/src/FrameBufferObject.h @@ -0,0 +1,105 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef FRAME_BUFFER_OBJECT_H +#define FRAME_BUFFER_OBJECT_H + +// Libraries +#include "definitions.h" +#include +#include +#include + +namespace openglframework { + + +// Class FrameBufferObject +class FrameBufferObject { + + private: + + // -------------------- Attributes -------------------- // + + // Frame buffer ID + uint mFrameBufferID; + + // Render buffer ID + uint mRenderBufferID; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + FrameBufferObject(); + + // Destructor + ~FrameBufferObject(); + + // Create the frame buffer object + bool create(uint width, uint height, bool needRenderBuffer = true); + + // Attach a texture to the frame buffer object + void attachTexture(uint position, uint textureID); + + // Bind the FBO + void bind(uint position) const; + + // Unbind the FBO + void unbind() const; + + // Return true if the needed OpenGL extensions are available for FBO + static bool checkOpenGLExtensions(); + + // Destroy the FBO + void destroy(); +}; + +// Bind the FBO +inline void FrameBufferObject::bind(uint position) const { + assert(mFrameBufferID != 0); + glBindFramebuffer(GL_FRAMEBUFFER, mFrameBufferID); + glDrawBuffer(position); + glReadBuffer(position); +} + +// Unbind the FBO +inline void FrameBufferObject::unbind() const { + assert(mFrameBufferID != 0); + glDrawBuffer(GL_NONE); + glReadBuffer(GL_NONE); + glBindFramebuffer(GL_FRAMEBUFFER, 0); +} + +// Return true if the needed OpenGL extensions are available for FBO +inline bool FrameBufferObject::checkOpenGLExtensions() { + + // Check that OpenGL version is at least 3.0 or there the framebuffer object extension exists + return (GLEW_VERSION_3_0 || GLEW_ARB_framebuffer_object); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/GlutViewer.cpp b/examples/common/opengl-framework/src/GlutViewer.cpp new file mode 100644 index 00000000..45cf639d --- /dev/null +++ b/examples/common/opengl-framework/src/GlutViewer.cpp @@ -0,0 +1,270 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "GlutViewer.h" +#include + +// Namespaces +using namespace openglframework; +using namespace std; + +// Constructor +GlutViewer::GlutViewer() { + + // Initialize the state of the mouse buttons + for (int i=0; i<10; i++) { + mIsButtonDown[i] = false; + } +} + +// Destructor +GlutViewer::~GlutViewer() { + +} + +// Initialize the viewer +bool GlutViewer::init(int argc, char** argv, const string& windowsTitle, + const Vector2& windowsSize, const Vector2& windowsPosition, + bool isMultisamplingActive) { + + // Initialize the GLUT library + bool outputValue = initGLUT(argc, argv, windowsTitle, windowsSize, + windowsPosition, isMultisamplingActive); + + // Active the multi-sampling by default + if (isMultisamplingActive) { + activateMultiSampling(true); + } + + return outputValue; +} + +// Initialize the GLUT library +bool GlutViewer::initGLUT(int argc, char** argv, const string& windowsTitle, + const Vector2& windowsSize, const Vector2& windowsPosition, + bool isMultisamplingActive) { + + // Initialize GLUT + glutInit(&argc, argv); + uint modeWithoutMultiSampling = GLUT_DOUBLE | GLUT_RGBA | GLUT_DEPTH; + uint modeWithMultiSampling = GLUT_DOUBLE | GLUT_RGBA | GLUT_DEPTH | GL_MULTISAMPLE; + uint displayMode = isMultisamplingActive ? modeWithMultiSampling : modeWithoutMultiSampling; + glutInitDisplayMode(displayMode); + + // Initialize the size of the GLUT windows + glutInitWindowSize(static_cast(windowsSize.x), + static_cast(windowsSize.y)); + + // Initialize the position of the GLUT windows + glutInitWindowPosition(static_cast(windowsPosition.x), + static_cast(windowsPosition.y)); + + // Create the GLUT windows + glutCreateWindow(windowsTitle.c_str()); + + // Initialize the GLEW library + GLenum error = glewInit(); + if (error != GLEW_OK) { + + // Problem: glewInit failed, something is wrong + cerr << "GLEW Error : " << glewGetErrorString(error) << std::endl; + assert(false); + return false; + } + + return true; +} + +// Set the camera so that we can view the whole scene +void GlutViewer::resetCameraToViewAll() { + + // Move the camera to the origin of the scene + mCamera.translateWorld(-mCamera.getOrigin()); + + // Move the camera to the center of the scene + mCamera.translateWorld(mCenterScene); + + // Set the zoom of the camera so that the scene center is + // in negative view direction of the camera + mCamera.setZoom(1.0); +} + +// Called when a GLUT mouse button event occurs +void GlutViewer::mouseButtonEvent(int button, int state, int x, int y) { + + // If the mouse button is pressed + if (state == GLUT_DOWN) { + mLastMouseX = x; + mLastMouseY = y; + mIsLastPointOnSphereValid = mapMouseCoordinatesToSphere(x, y, mLastPointOnSphere); + mIsButtonDown[button] = true; + } + else { // If the mouse button is released + mIsLastPointOnSphereValid = false; + mIsButtonDown[button] = false; + + // If it is a mouse wheel click event + if (button == 3) { + zoom(0, (int) (y - 0.05f * mCamera.getWidth())); + } + else if (button == 4) { + zoom(0, (int) (y + 0.05f * mCamera.getHeight())); + } + } + + mModifiers = glutGetModifiers(); + + // Notify GLUT to redisplay + glutPostRedisplay(); +} + +// Called when a GLUT mouse motion event occurs +void GlutViewer::mouseMotionEvent(int xMouse, int yMouse) { + + // Zoom + if ((mIsButtonDown[GLUT_LEFT_BUTTON] && mIsButtonDown[GLUT_MIDDLE_BUTTON]) || + (mIsButtonDown[GLUT_LEFT_BUTTON] && mModifiers == GLUT_ACTIVE_ALT)) { + zoom(xMouse, yMouse); + } + // Translation + else if (mIsButtonDown[GLUT_MIDDLE_BUTTON] || mIsButtonDown[GLUT_RIGHT_BUTTON] || + (mIsButtonDown[GLUT_LEFT_BUTTON] && (mModifiers == GLUT_ACTIVE_ALT))) { + translate(xMouse, yMouse); + } + // Rotation + else if (mIsButtonDown[GLUT_LEFT_BUTTON]) { + rotate(xMouse, yMouse); + } + + // Remember the mouse position + mLastMouseX = xMouse; + mLastMouseY = yMouse; + mIsLastPointOnSphereValid = mapMouseCoordinatesToSphere(xMouse, yMouse, mLastPointOnSphere); + + // Notify GLUT to redisplay + glutPostRedisplay(); +} + +// Called when a GLUT keyboard event occurs +void GlutViewer::keyboardEvent(int key, int xMouse, int yMouse) { + +} + +// Called when a GLUT special keyboard event occurs +void GlutViewer::keyboardSpecialEvent(int key, int xMouse, int yMouse) { + +} + +// Map the mouse x,y coordinates to a point on a sphere +bool GlutViewer::mapMouseCoordinatesToSphere(int xMouse, int yMouse, Vector3& spherePoint) const { + + int width = mCamera.getWidth(); + int height = mCamera.getHeight(); + + if ((xMouse >= 0) && (xMouse <= width) && (yMouse >= 0) && (yMouse <= height)) { + float x = float(xMouse - 0.5f * width) / float(width); + float y = float(0.5f * height - yMouse) / float(height); + float sinx = sin(PI * x * 0.5f); + float siny = sin(PI * y * 0.5f); + float sinx2siny2 = sinx * sinx + siny * siny; + + // Compute the point on the sphere + spherePoint.x = sinx; + spherePoint.y = siny; + spherePoint.z = (sinx2siny2 < 1.0) ? sqrt(1.0f - sinx2siny2) : 0.0f; + + return true; + } + + return false; +} + +// Zoom the camera +void GlutViewer::zoom(int xMouse, int yMouse) { + float dy = static_cast(yMouse - mLastMouseY); + float h = static_cast(mCamera.getHeight()); + + // Zoom the camera + mCamera.setZoom(-dy / h); +} + +// Translate the camera +void GlutViewer::translate(int xMouse, int yMouse) { + float dx = static_cast(xMouse - mLastMouseX); + float dy = static_cast(yMouse - mLastMouseY); + + // Translate the camera + mCamera.translateCamera(-dx / float(mCamera.getWidth()), + -dy / float(mCamera.getHeight()), mCenterScene); +} + +// Rotate the camera +void GlutViewer::rotate(int xMouse, int yMouse) { + + if (mIsLastPointOnSphereValid) { + + Vector3 newPoint3D; + bool isNewPointOK = mapMouseCoordinatesToSphere(xMouse, yMouse, newPoint3D); + + if (isNewPointOK) { + Vector3 axis = mLastPointOnSphere.cross(newPoint3D); + float cosAngle = mLastPointOnSphere.dot(newPoint3D); + + float epsilon = std::numeric_limits::epsilon(); + if (fabs(cosAngle) < 1.0f && axis.length() > epsilon) { + axis.normalize(); + float angle = 2.0f * acos(cosAngle); + + // Rotate the camera around the center of the scene + mCamera.rotateAroundLocalPoint(axis, -angle, mCenterScene); + } + } + } +} + +// Check the OpenGL errors +void GlutViewer::checkOpenGLErrors() { + GLenum glError; + + // Get the OpenGL errors + glError = glGetError(); + + // While there are errors + while (glError != GL_NO_ERROR) { + + // Get the error string + const GLubyte* stringError = gluErrorString(glError); + + // Display the error + if (stringError) + cerr << "OpenGL Error #" << glError << "(" << gluErrorString(glError) << endl; + else + cerr << "OpenGL Error #" << glError << " (no message available)" << endl; + + // Get the next error + glError = glGetError(); + } +} diff --git a/examples/common/opengl-framework/src/GlutViewer.h b/examples/common/opengl-framework/src/GlutViewer.h new file mode 100644 index 00000000..3d6d3c56 --- /dev/null +++ b/examples/common/opengl-framework/src/GlutViewer.h @@ -0,0 +1,165 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef GLUT_VIEWER_H +#define GLUT_VIEWER_H + +// Libraries +#include "Shader.h" +#include "Camera.h" +#include "maths/Vector2.h" +#include +#include +#ifdef __APPLE__ + #include "GLUT/glut.h" +#else + #include "GL/freeglut.h" +#endif + +namespace openglframework { + +// Class Renderer +class GlutViewer { + + protected : + + // -------------------- Attributes -------------------- // + + // Camera + Camera mCamera; + + // Center of the scene + Vector3 mCenterScene; + + // Last mouse coordinates on the windows + int mLastMouseX, mLastMouseY; + + // Last point computed on a sphere (for camera rotation) + Vector3 mLastPointOnSphere; + + // True if the last point computed on a sphere (for camera rotation) is valid + bool mIsLastPointOnSphereValid; + + // State of the mouse buttons + bool mIsButtonDown[10]; + + // GLUT keyboard modifiers + int mModifiers; + + // -------------------- Methods -------------------- // + + // Initialize the GLUT library + bool initGLUT(int argc, char** argv, const std::string& windowsTitle, + const Vector2& windowsSize, const Vector2& windowsPosition, + bool isMultisamplingActive); + + bool mapMouseCoordinatesToSphere(int xMouse, int yMouse, Vector3& spherePoint) const; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + GlutViewer(); + + // Destructor + virtual ~GlutViewer(); + + // Initialize the viewer + bool init(int argc, char** argv, const std::string& windowsTitle, + const Vector2& windowsSize, const Vector2& windowsPosition, + bool isMultisamplingActive = false); + + // Called when the windows is reshaped + void reshape(int width, int height); + + // Set the scene position (where the camera needs to look at) + void setScenePosition(const Vector3& position, float sceneRadius); + + // Set the camera so that we can view the whole scene + void resetCameraToViewAll(); + + // Enable/Disable the multi-sampling for anti-aliasing + void activateMultiSampling(bool isActive) const; + + // Zoom the camera + void zoom(int xMouse, int yMouse); + + // Translate the camera + void translate(int xMouse, int yMouse); + + // Rotate the camera + void rotate(int xMouse, int yMouse); + + // Get the camera + Camera& getCamera(); + + // Called when a GLUT mouse button event occurs + void mouseButtonEvent(int button, int state, int x, int y); + + // Called when a GLUT mouse motion event occurs + void mouseMotionEvent(int xMouse, int yMouse); + + // Called when a GLUT keyboard event occurs + void keyboardEvent(int key, int xMouse, int yMouse); + + // Called when a GLUT special keyboard event occurs + void keyboardSpecialEvent(int key, int xMouse, int yMouse); + + // Check the OpenGL errors + static void checkOpenGLErrors(); +}; + +// Set the dimension of the camera viewport +inline void GlutViewer::reshape(int width, int height) { + mCamera.setDimensions(width, height); + glViewport(0, 0, width, height); + glutPostRedisplay(); +} + +// Set the scene position (where the camera needs to look at) +inline void GlutViewer::setScenePosition(const Vector3& position, float sceneRadius) { + + // Set the position and radius of the scene + mCenterScene = position; + mCamera.setSceneRadius(sceneRadius); + + // Reset the camera position and zoom in order to view all the scene + resetCameraToViewAll(); +} + +// Get the camera +inline Camera& GlutViewer::getCamera() { + return mCamera; +} + +// Enable/Disable the multi-sampling for anti-aliasing +inline void GlutViewer::activateMultiSampling(bool isActive) const { + (isActive) ? glEnable(GL_MULTISAMPLE) : glDisable(GL_MULTISAMPLE); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/Light.cpp b/examples/common/opengl-framework/src/Light.cpp new file mode 100644 index 00000000..cd1831eb --- /dev/null +++ b/examples/common/opengl-framework/src/Light.cpp @@ -0,0 +1,100 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Light.h" + +// Namespaces +using namespace openglframework; + +// Constructor +Light::Light(GLuint id) + : mLightID(id), mDiffuseColor(Color::white()), + mSpecularColor(Color::white()), mIsActive(false) { + +} + +// Constructor +Light::Light(GLuint id, Color diffuseColor, Color specularColor) + : mLightID(id), mDiffuseColor(diffuseColor), + mSpecularColor(specularColor), mIsActive(false) { + +} + +// Destructor +Light::~Light() { + +} + +// Initialize the light +void Light::init() { + + // Enable the light + enable(); + + // Set the diffuse and specular color + GLfloat diffuseColor[] = {mDiffuseColor.r, mDiffuseColor.g, mDiffuseColor.b, mDiffuseColor.a}; + GLfloat specularColor[] = {mSpecularColor.r,mSpecularColor.g,mSpecularColor.b,mSpecularColor.a}; + glLightfv(mLightID, GL_DIFFUSE, diffuseColor); + glLightfv(mLightID, GL_SPECULAR, specularColor); +} + +// Create a shadow map associated with this light +bool Light::createShadowMap(uint width, uint height) { + + // Destroy the current shadow map + destroyShadowMap(); + + // Create the Framebuffer object to render the shadow map + bool isFBOCreated = mFBOShadowMap.create(width, height, false); + if (!isFBOCreated) { + std::cerr << "Error : Cannot create the Shadow Map !" << std::endl; + destroyShadowMap(); + return false; + } + + // Bind the Framebuffer object + mFBOShadowMap.bind(GL_NONE); + + // Create the shadow map depth texture + mShadowMap.create(width, height, GL_DEPTH_COMPONENT, GL_DEPTH_COMPONENT, GL_UNSIGNED_BYTE); + + // Attache the shadow map texture to the Framebuffer object + mFBOShadowMap.attachTexture(GL_DEPTH_ATTACHMENT_EXT, mShadowMap.getID()); + + // Unbind the Framebuffer object + mFBOShadowMap.unbind(); + + // TODO : Change the path of the shader here so that it does not depend on the build folder + bool isShaderCreated = mDepthShader.create("../../opengl-framework/src/shaders/depth.vert", + "../../opengl-framework/src/shaders/depth.vert"); + if (!isShaderCreated) { + std::cerr << "Error : Cannot create the Shadow Map !" << std::endl; + destroyShadowMap(); + return false; + } + + return true; +} diff --git a/examples/common/opengl-framework/src/Light.h b/examples/common/opengl-framework/src/Light.h new file mode 100644 index 00000000..8f8323d9 --- /dev/null +++ b/examples/common/opengl-framework/src/Light.h @@ -0,0 +1,181 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef LIGHT_H +#define LIGHT_H + +// Libraries +#include "maths/Color.h" +#include "maths/Vector3.h" +#include "Object3D.h" +#include "Texture2D.h" +#include "FrameBufferObject.h" +#include "Shader.h" +#include + +namespace openglframework { + +// Class Light +class Light : public Object3D { + + private: + + // -------------------- Attributes -------------------- // + + // OpenGL light ID + GLuint mLightID; + + // Diffuse color of the light + Color mDiffuseColor; + + // Specular color of the light + Color mSpecularColor; + + // True if the light is active + bool mIsActive; + + // Shadow map associated with this light + Texture2D mShadowMap; + + // Framebuffer object to render the shadow map + FrameBufferObject mFBOShadowMap; + + // Shader to render the depth of the scene into a texture + Shader mDepthShader; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + Light(GLuint id); + + // Constructor + Light(GLuint id, Color diffuseColor, Color specularColor); + + // Destructor + virtual ~Light(); + + // Return the diffuse color + Color getDiffuseColor() const; + + // Set the diffuse color + void setDiffuseColor(const Color& color); + + // Return the specular color + Color getSpecularColor() const; + + // Set the specular color + void setSpecularColor(const Color& color); + + // Return true if the light is active + bool getIsActive() const; + + // Initialize the light + void init(); + + // Enable the light + void enable(); + + // Disable the light + void disable(); + + // Create a shadow map associated with this light + bool createShadowMap(uint width, uint height); + + // Call this method before rendering the scene for the shadow map computation + void startRenderingShadowMap(); + + // Call this method after having rendered the scene for the shadow map computation + void stopRenderingShadowMap(); + + // Destroy the shadow map associated with this light + void destroyShadowMap(); +}; + +// Return the diffuse color +inline Color Light::getDiffuseColor() const { + return mDiffuseColor; +} + +// Set the diffuse color +inline void Light::setDiffuseColor(const Color& color) { + mDiffuseColor = color; +} + +// Return the specular color +inline Color Light::getSpecularColor() const { + return mSpecularColor; +} + +// Set the specular color +inline void Light::setSpecularColor(const Color& color) { + mSpecularColor = color; +} + +// Return true if the light is active +inline bool Light::getIsActive() const { + return mIsActive; +} + +// Enable the light +inline void Light::enable() { + + mIsActive = true; + + // Enable the light + glEnable(GL_LIGHTING); + glEnable(GL_LIGHT0 + mLightID); +} + +// Disable the light +inline void Light::disable() { + + mIsActive = false; + + // Disable the light + glDisable(GL_LIGHT0 + mLightID); +} + +// Destroy the shadow map associated with this light +inline void Light::destroyShadowMap() { + mShadowMap.destroy(); + mFBOShadowMap.destroy(); + mDepthShader.destroy(); +} + +// Call this method before rendering the scene for the shadow map computation +inline void Light::startRenderingShadowMap() { + assert(mShadowMap.getID()); +} + +// Call this method after having rendered the scene for the shadow map computation +inline void Light::stopRenderingShadowMap() { + assert(mShadowMap.getID()); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/Mesh.cpp b/examples/common/opengl-framework/src/Mesh.cpp new file mode 100644 index 00000000..070c1d07 --- /dev/null +++ b/examples/common/opengl-framework/src/Mesh.cpp @@ -0,0 +1,176 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Mesh.h" + +// Namespaces +using namespace openglframework; +using namespace std; + +// Constructor +Mesh::Mesh() { + +} + +// Destructor +Mesh::~Mesh() { + +} + +// Destroy the mesh +void Mesh::destroy() { + + mVertices.clear(); + mNormals.clear(); + mTangents.clear(); + mIndices.clear(); + mColors.clear(); + mUVs.clear(); + mTextures.clear(); +} + +// Compute the normals of the mesh +void Mesh::calculateNormals() { + + mNormals = vector(getNbVertices(), Vector3(0, 0, 0)); + + // For each triangular face + for (uint i=0; i(getNbVertices(), Vector3(0, 0, 0)); + + // For each face + for (uint i=0; i::const_iterator it(mVertices.begin()); + + // For each vertex of the mesh + for (; it != mVertices.end(); ++it) { + + if( (*it).x < min.x ) min.x = (*it).x; + else if ( (*it).x > max.x ) max.x = (*it).x; + + if( (*it).y < min.y ) min.y = (*it).y; + else if ( (*it).y > max.y ) max.y = (*it).y; + + if( (*it).z < min.z ) min.z = (*it).z; + else if ( (*it).z > max.z ) max.z = (*it).z; + } + } + else { + std::cerr << "Error : Impossible to calculate the bounding box of the mesh because there" << + "are no vertices !" << std::endl; + assert(false); + } +} + +// Scale of vertices of the mesh using a given factor +void Mesh::scaleVertices(float factor) { + + // For each vertex + for (uint i=0; i +#include +#include +#include "definitions.h" +#include "maths/Vector2.h" +#include "maths/Vector3.h" +#include "maths/Color.h" +#include "Texture2D.h" +#include "Object3D.h" + +namespace openglframework { + +// Class Mesh +// This class represents a 3D triangular mesh +// object that can be loaded from an OBJ file for instance. +class Mesh : public Object3D { + + protected: + + // -------------------- Attributes -------------------- // + + // A triplet of vertex indices for each triangle + std::vector > mIndices; + + // Vertices coordinates (local space) + std::vector mVertices; + + // Normals coordinates + std::vector mNormals; + + // Tangents coordinates + std::vector mTangents; + + // Color for each vertex + std::vector mColors; + + // UV texture coordinates + std::vector mUVs; + + // Textures of the mesh (one for each part of the mesh) + std::map mTextures; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + Mesh(); + + // Destructor + virtual ~Mesh(); + + // Destroy the mesh + void destroy(); + + // Compute the normals of the mesh + void calculateNormals(); + + // Compute the tangents of the mesh + void calculateTangents(); + + // Calculate the bounding box of the mesh + void calculateBoundingBox(Vector3& min, Vector3& max) const; + + // Scale of vertices of the mesh using a given factor + void scaleVertices(float factor); + + // Return the number of triangles + uint getNbFaces(uint part = 0) const; + + // Return the number of vertices + uint getNbVertices() const; + + // Return the number of parts in the mesh + uint getNbParts() const; + + // Return a reference to the vertices + const std::vector& getVertices() const; + + // Set the vertices of the mesh + void setVertices(std::vector& vertices); + + // Return a reference to the normals + const std::vector& getNormals() const; + + // set the normals of the mesh + void setNormals(std::vector& normals); + + // Return a reference to the UVs + const std::vector& getUVs() const; + + // Set the UV texture coordinates of the mesh + void setUVs(std::vector& uvs); + + // Return a reference to the vertex indices + const std::vector& getIndices(uint part = 0) const; + + // Set the vertices indices of the mesh + void setIndices(std::vector >& indices); + + // Return the coordinates of a given vertex + const Vector3& getVertex(uint i) const; + + // Set the coordinates of a given vertex + void setVertex(uint i, const Vector3& vertex); + + // Return the coordinates of a given normal + const Vector3& getNormal(uint i) const; + + // Set the coordinates of a given normal + void setNormal(uint i, const Vector3& normal); + + // Return the color of a given vertex + const Color& getColor(uint i) const; + + // Set the color of a given vertex + void setColor(uint i, const Color& color); + + // Set a color to all the vertices + void setColorToAllVertices(const Color& color); + + // Return the UV of a given vertex + const Vector2& getUV(uint i) const; + + // Set the UV of a given vertex + void setUV(uint i, const Vector2& uv); + + // Return the vertex index of the ith (i=0,1,2) vertex of a given face + uint getVertexIndexInFace(uint faceIndex, uint i, uint part = 0) const; + + // Return true if the mesh has normals + bool hasNormals() const; + + // Return true if the mesh has tangents + bool hasTangents() const; + + // Return true if the mesh has vertex colors + bool hasColors() const; + + // Return true if the mesh has UV texture coordinates + bool hasUVTextureCoordinates() const; + + // Return true if the mesh has a texture for a given part of the mesh and if it + // also have texture coordinates + bool hasTextureForPart(uint part = 0) const; + + // Return true if the mesh has a texture (and texture coordinates) for at least one + // part of the mesh + bool hasTexture() const; + + // Return a pointer to the vertices data + void* getVerticesPointer(); + + // Return a pointer to the normals data + void* getNormalsPointer(); + + // Return a pointer to the colors data + void* getColorsPointer(); + + // Return a pointer to the tangents data + void* getTangentsPointer(); + + // Return a pointer to the UV texture coordinates data + void* getUVTextureCoordinatesPointer(); + + // Return a pointer to the vertex indicies data + void* getIndicesPointer(uint part = 0); + + // Return a reference to a texture of the mesh + Texture2D &getTexture(uint part = 0); + + // Set a texture to a part of the mesh + void setTexture(Texture2D &texture, uint part = 0); +}; + +// Return the number of triangles +inline uint Mesh::getNbFaces(uint part) const { + return mIndices[part].size() / 3; +} + +// Return the number of vertices +inline uint Mesh::getNbVertices() const { + return mVertices.size(); +} + +// Return the number of parts in the mesh +inline uint Mesh::getNbParts() const { + return mIndices.size(); +} + +// Return a reference to the vertices +inline const std::vector& Mesh::getVertices() const { + return mVertices; +} + +// Set the vertices of the mesh +inline void Mesh::setVertices(std::vector& vertices) { + mVertices = vertices; +} + +// Return a reference to the normals +inline const std::vector& Mesh::getNormals() const { + return mNormals; +} + +// set the normals of the mesh +inline void Mesh::setNormals(std::vector& normals) { + mNormals = normals; +} + +// Return a reference to the UVs +inline const std::vector& Mesh::getUVs() const { + return mUVs; +} + +// Set the UV texture coordinates of the mesh +inline void Mesh::setUVs(std::vector& uvs) { + mUVs = uvs; +} + +// Return a reference to the vertex indices +inline const std::vector& Mesh::getIndices(uint part) const { + return mIndices[part]; +} + +// Set the vertices indices of the mesh +inline void Mesh::setIndices(std::vector >& indices) { + mIndices = indices; +} + +// Return the coordinates of a given vertex +inline const Vector3& Mesh::getVertex(uint i) const { + assert(i < getNbVertices()); + return mVertices[i]; +} + +// Set the coordinates of a given vertex +inline void Mesh::setVertex(uint i, const Vector3& vertex) { + assert(i < getNbVertices()); + mVertices[i] = vertex; +} + +// Return the coordinates of a given normal +inline const Vector3& Mesh::getNormal(uint i) const { + assert(i < getNbVertices()); + return mNormals[i]; +} + +// Set the coordinates of a given normal +inline void Mesh::setNormal(uint i, const Vector3& normal) { + assert(i < getNbVertices()); + mNormals[i] = normal; +} + +// Return the color of a given vertex +inline const Color& Mesh::getColor(uint i) const { + assert(i < getNbVertices()); + return mColors[i]; +} + +// Set the color of a given vertex +inline void Mesh::setColor(uint i, const Color& color) { + + // If the color array does not have the same size as + // the vertices array + if (mColors.size() != mVertices.size()) { + + // Create the color array with the same size + mColors = std::vector(mVertices.size()); + } + + mColors[i] = color; +} + +// Set a color to all the vertices +inline void Mesh::setColorToAllVertices(const Color& color) { + + // If the color array does not have the same size as + // the vertices array + if (mColors.size() != mVertices.size()) { + + // Create the color array with the same size + mColors = std::vector(mVertices.size()); + } + + for (size_t v=0; v 0); +} + +// Return a pointer to the vertices data +inline void* Mesh::getVerticesPointer() { + return &(mVertices[0]); +} + +// Return a pointer to the normals data +inline void* Mesh::getNormalsPointer() { + return &(mNormals[0]); +} + +// Return a pointer to the colors data +inline void* Mesh::getColorsPointer() { + return &(mColors[0]); +} + +// Return a pointer to the tangents data +inline void* Mesh::getTangentsPointer() { + return &(mTangents[0]); +} + +// Return a pointer to the UV texture coordinates data +inline void* Mesh::getUVTextureCoordinatesPointer() { + return &(mUVs[0]); +} + +// Return a pointer to the vertex indicies data +inline void* Mesh::getIndicesPointer(uint part) { + return &(mIndices[part])[0]; +} + +// Return a reference to a texture of the mesh +inline Texture2D& Mesh::getTexture(uint part) { + return mTextures[part]; +} + +// Set a texture to a part of the mesh +inline void Mesh::setTexture(Texture2D& texture, uint part) { + mTextures[part] = texture; +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/MeshReaderWriter.cpp b/examples/common/opengl-framework/src/MeshReaderWriter.cpp new file mode 100644 index 00000000..275226ae --- /dev/null +++ b/examples/common/opengl-framework/src/MeshReaderWriter.cpp @@ -0,0 +1,393 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "MeshReaderWriter.h" +#include +#include +#include +#include +#include +#include + +using namespace openglframework; +using namespace std; + +// Constructor +MeshReaderWriter::MeshReaderWriter() { + +} + +// Load a mesh from a file and returns true if the mesh has been sucessfully loaded +void MeshReaderWriter::loadMeshFromFile(const std::string& filename, Mesh& meshToCreate) { + + // Get the extension of the file + uint startPosExtension = filename.find_last_of("."); + string extension = filename.substr(startPosExtension+1); + + // Load the file using the correct method + if (extension == "obj") { + loadOBJFile(filename, meshToCreate); + } + else { + + // Display an error message and throw an exception + string errorMessage("Error : the MeshReaderWriter class cannot load a file with the extension ."); + errorMessage += extension; + std::cerr << errorMessage << std::endl; + throw std::invalid_argument(errorMessage.c_str()); + } +} + +// Write a mesh to a file +void MeshReaderWriter::writeMeshToFile(const std::string& filename, const Mesh& meshToWrite) { + + // Get the extension of the file + uint startPosExtension = filename.find_last_of("."); + string extension = filename.substr(startPosExtension+1); + + // Load the file using the correct method + if (extension == "obj") { + writeOBJFile(filename, meshToWrite); + } + else { + + // Display an error message and throw an exception + string errorMessage("Error : the MeshReaderWriter class cannot store a mesh file with the extension ."); + errorMessage += extension; + std::cerr << errorMessage << std::endl; + throw std::invalid_argument(errorMessage.c_str()); + } +} + +// Load an OBJ file with a triangular or quad mesh +void MeshReaderWriter::loadOBJFile(const string &filename, Mesh& meshToCreate) { + + // Open the file + std::ifstream meshFile(filename.c_str()); + + // If we cannot open the file + if(!meshFile.is_open()) { + + // Throw an exception and display an error message + string errorMessage("Error : Cannot open the file " + filename); + std::cerr << errorMessage << std::endl; + throw runtime_error(errorMessage); + } + + std::string buffer; + string line, tmp; + int id1, id2, id3, id4; + int nId1, nId2, nId3, nId4; + int tId1, tId2, tId3, tId4; + float v1, v2, v3; + size_t found1, found2; + std::vector isQuad; + std::vector vertices; + std::vector normals; + std::vector uvs; + std::vector verticesIndices; + std::vector normalsIndices; + std::vector uvsIndices; + + // ---------- Collect the data from the file ---------- // + + // For each line of the file + while(std::getline(meshFile, buffer)) { + + std::istringstream lineStream(buffer); + std::string word; + lineStream >> word; + std::transform(word.begin(), word.end(), word.begin(), ::tolower); + if(word == "usemtl") { // Material definition + + // Loading of MTL file is not implemented + + } + else if(word == "v") { // Vertex position + sscanf(buffer.c_str(), "%*s %f %f %f", &v1, &v2, &v3); + vertices.push_back(Vector3(v1, v2, v3)); + } + else if(word == "vt") { // Vertex texture coordinate + sscanf(buffer.c_str(), "%*s %f %f", &v1, &v2); + uvs.push_back(Vector2(v1,v2)); + } + else if(word == "vn") { // Vertex normal + sscanf(buffer.c_str(), "%*s %f %f %f", &v1, &v2, &v3); + normals.push_back(Vector3(v1 ,v2, v3)); + } + else if (word == "f") { // Face + line = buffer; + found1 = (int)line.find("/"); + bool isFaceQuad = false; + int foundNext = (int)line.substr(found1+1).find("/"); + + // If the face definition is of the form "f v1 v2 v3 v4" + if(found1 == string::npos) { + int nbVertices = sscanf(buffer.c_str(), "%*s %d %d %d %d", &id1, &id2, &id3, &id4); + if (nbVertices == 4) isFaceQuad = true; + } + // If the face definition is of the form "f v1// v2// v3// v4//" + else if (foundNext == 0) { + int nbVertices = sscanf(buffer.c_str(), "%*s %d// %d// %d// %d//", &id1, &id2, &id3, &id4); + if (nbVertices == 4) isFaceQuad = true; + } + else { // If the face definition contains vertices and texture coordinates + + //get the part of the string until the second index + tmp = line.substr(found1+1); + found2 = (int)tmp.find(" "); + tmp = tmp.substr(0,found2); + found2 = (int)tmp.find("/"); + + // If the face definition is of the form "f vert1/textcoord1 vert2/textcoord2 ..." + if(found2 == string::npos) { + int n = sscanf(buffer.c_str(), "%*s %d/%d %d/%d %d/%d %d/%d", &id1, &tId1, &id2, &tId2, &id3, &tId3, &id4, &tId4); + if (n == 8) isFaceQuad = true; + uvsIndices.push_back(tId1-1); + uvsIndices.push_back(tId2-1); + uvsIndices.push_back(tId3-1); + if (isFaceQuad) uvsIndices.push_back(tId4-1); + } + else { + tmp = line.substr(found1+1); + found2 = (int)tmp.find("/"); + + // If the face definition is of the form "f vert1/normal1 vert2/normal2 ..." + if(found2 == 0) { + int n = sscanf(buffer.c_str(), "%*s %d//%d %d//%d %d//%d %d//%d", &id1, &nId1, &id2, &nId2, &id3, &nId3, &id4, &nId4); + if (n == 8) isFaceQuad = true; + } + // If the face definition is of the form "f vert1/textcoord1/normal1 ..." + else { + int n = sscanf(buffer.c_str(), "%*s %d/%d/%d %d/%d/%d %d/%d/%d %d/%d/%d", &id1, &tId1, &nId1, &id2, &tId2, &nId2, &id3, &tId3, &nId3, &id4, &tId4, &nId4); + if (n == 12) isFaceQuad = true; + uvsIndices.push_back(tId1-1); + uvsIndices.push_back(tId2-1); + uvsIndices.push_back(tId3-1); + if (isFaceQuad) uvsIndices.push_back(tId4-1); + } + normalsIndices.push_back(nId1-1); + normalsIndices.push_back(nId2-1); + normalsIndices.push_back(nId3-1); + if (isFaceQuad) normalsIndices.push_back(nId4-1); + } + } + verticesIndices.push_back(id1-1); + verticesIndices.push_back(id2-1); + verticesIndices.push_back(id3-1); + if (isFaceQuad) verticesIndices.push_back((id4-1)); + isQuad.push_back(isFaceQuad); + } + } + + assert(!verticesIndices.empty()); + assert(normalsIndices.empty() || normalsIndices.size() == verticesIndices.size()); + assert(uvsIndices.empty() || uvsIndices.size() == verticesIndices.size()); + meshFile.close(); + + // ---------- Merge the data that we have collected from the file ---------- // + + // Destroy the current mesh + meshToCreate.destroy(); + + // Mesh data + vector > meshIndices; + vector meshNormals; + if (!normals.empty()) meshNormals = vector(vertices.size(), Vector3(0, 0, 0)); + vector meshUVs; + if (!uvs.empty()) meshUVs = vector(vertices.size(), Vector2(0, 0)); + + // We cannot load mesh with several parts for the moment + uint meshPart = 0; + + // Fill in the vertex indices + // We also triangulate each quad face + meshIndices.push_back(std::vector()); + for(size_t i = 0, j = 0; i < verticesIndices.size(); j++) { + + // Get the current vertex IDs + uint i1 = verticesIndices[i]; + uint i2 = verticesIndices[i+1]; + uint i3 = verticesIndices[i+2]; + + // Add the vertex normal + if (!normalsIndices.empty() && !normals.empty()) { + meshNormals[i1] = normals[normalsIndices[i]]; + meshNormals[i2] = normals[normalsIndices[i+1]]; + meshNormals[i3] = normals[normalsIndices[i+2]]; + } + + // Add the vertex UV texture coordinates + if (!uvsIndices.empty() && !uvs.empty()) { + meshUVs[i1] = uvs[uvsIndices[i]]; + meshUVs[i2] = uvs[uvsIndices[i+1]]; + meshUVs[i3] = uvs[uvsIndices[i+2]]; + } + + // If the current vertex not in a quad (it is part of a triangle) + if (!isQuad[j]) { + + // Add the vertex indices + meshIndices[meshPart].push_back(i1); + meshIndices[meshPart].push_back(i2); + meshIndices[meshPart].push_back(i3); + + i+=3; + } + else { // If the current vertex is in a quad + + Vector3 v1 = vertices[i1]; + Vector3 v2 = vertices[i2]; + Vector3 v3 = vertices[i3]; + uint i4 = verticesIndices[i+3]; + Vector3 v4 = vertices[i4]; + + Vector3 v13 = v3-v1; + Vector3 v12 = v2-v1; + Vector3 v14 = v4-v1; + + float a1 = v13.dot(v12); + float a2 = v13.dot(v14); + if((a1 >= 0 && a2 <= 0) || (a1 <= 0 && a2 >= 0)) { + meshIndices[meshPart].push_back(i1); + meshIndices[meshPart].push_back(i2); + meshIndices[meshPart].push_back(i3); + meshIndices[meshPart].push_back(i1); + meshIndices[meshPart].push_back(i3); + meshIndices[meshPart].push_back(i4); + } + else { + meshIndices[meshPart].push_back(i1); + meshIndices[meshPart].push_back(i2); + meshIndices[meshPart].push_back(i4); + meshIndices[meshPart].push_back(i2); + meshIndices[meshPart].push_back(i3); + meshIndices[meshPart].push_back(i4); + } + + // Add the vertex normal + if (!normalsIndices.empty() && !normals.empty()) { + meshNormals[i4] = normals[normalsIndices[i]]; + } + + // Add the vertex UV texture coordinates + if (!uvsIndices.empty() && !uvs.empty()) { + meshUVs[i4] = uvs[uvsIndices[i]]; + } + + i+=4; + } + } + + assert(meshNormals.empty() || meshNormals.size() == vertices.size()); + assert(meshUVs.empty() || meshUVs.size() == vertices.size()); + + // Set the data to the mesh + meshToCreate.setIndices(meshIndices); + meshToCreate.setVertices(vertices); + meshToCreate.setNormals(meshNormals); + meshToCreate.setUVs(meshUVs); +} + +// Store a mesh into a OBJ file +void MeshReaderWriter::writeOBJFile(const std::string& filename, const Mesh& meshToWrite) { + std::ofstream file(filename.c_str()); + + // Geth the mesh data + const std::vector& vertices = meshToWrite.getVertices(); + const std::vector& normals = meshToWrite.getNormals(); + const std::vector& uvs = meshToWrite.getUVs(); + + // If we can open the file + if (file.is_open()) { + + assert(meshToWrite.getNbVertices() == vertices.size()); + + // Write the vertices + for (uint v=0; v& indices = meshToWrite.getIndices(p); + + // For each index of the part + for (uint i=0; i +#include +#include "Mesh.h" + +namespace openglframework { + +// Class MeshReaderWriter +// This class is used to read or write any mesh file in order to +// create the corresponding Mesh object. Currently, this class +// is able to read meshes of the current formats : .obj +class MeshReaderWriter { + + private : + + // -------------------- Methods -------------------- // + + // Constructor (private because we do not want instances of this class) + MeshReaderWriter(); + + // Load an OBJ file with a triangular or quad mesh + static void loadOBJFile(const std::string& filename, Mesh& meshToCreate); + + // Store a mesh into a OBJ file + static void writeOBJFile(const std::string& filename, const Mesh &meshToWrite); + + public : + + // -------------------- Methods -------------------- // + + // Read a mesh from a file + static void loadMeshFromFile(const std::string& filename, Mesh& meshToCreate); + + // Write a mesh to a file + static void writeMeshToFile(const std::string& filename, const Mesh& meshToWrite); +}; + +// Class VertexMergingData +// This class is used in the method to read a mesh +class VertexMergingData { + + public: + VertexMergingData() : indexPosition(0), indexNormal(0), indexUV(0) {} + unsigned int indexPosition; + unsigned int indexNormal; + unsigned int indexUV; +}; + +// Class VertexMergingDataComparison +// This class is used in the method to read a mesh +class VertexMergingDataComparison { + + public: + bool operator()(const VertexMergingData& x, const VertexMergingData& y) const { + if(x.indexPosition < y.indexPosition) + return true; + if(x.indexPosition == y.indexPosition && x.indexNormal < y.indexNormal) + return true; + if(x.indexPosition == y.indexPosition && x.indexNormal == + y.indexNormal && x.indexUV < y.indexUV) + return true; + return false; + } +}; + +} + +#endif diff --git a/examples/common/opengl-framework/src/Object3D.cpp b/examples/common/opengl-framework/src/Object3D.cpp new file mode 100644 index 00000000..6beb8d28 --- /dev/null +++ b/examples/common/opengl-framework/src/Object3D.cpp @@ -0,0 +1,41 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Object3D.h" + +// Namespaces +using namespace openglframework; + +// Constructor +Object3D::Object3D() { + // Set the transformation matrix to the identity + setToIdentity(); +} + +// Destructor +Object3D::~Object3D() { + +} diff --git a/examples/common/opengl-framework/src/Object3D.h b/examples/common/opengl-framework/src/Object3D.h new file mode 100644 index 00000000..24c28fa1 --- /dev/null +++ b/examples/common/opengl-framework/src/Object3D.h @@ -0,0 +1,149 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef OBJECT3D_H +#define OBJECT3D_H + +// Libraries +#include "maths/Vector3.h" +#include "maths/Matrix4.h" + +namespace openglframework { + +// Class Object3D +// This class represent a generic 3D object on the scene. +class Object3D { + + protected: + + // -------------------- Attributes -------------------- // + + // Transformation matrix that convert local-space + // coordinates to world-space coordinates + Matrix4 mTransformMatrix; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + Object3D(); + + // Destructor + virtual ~Object3D(); + + // Return the transform matrix + const Matrix4& getTransformMatrix() const; + + // Set the transform matrix + void setTransformMatrix(const Matrix4& matrix); + + // Set to the identity transform + void setToIdentity(); + + // Return the origin of object in world-space + Vector3 getOrigin() const; + + // Translate the object in world-space + void translateWorld(const Vector3& v); + + // Translate the object in local-space + void translateLocal(const Vector3& v); + + // Rotate the object in world-space + void rotateWorld(const Vector3& axis, float angle); + + // Rotate the object in local-space + void rotateLocal(const Vector3& axis, float angle); + + // Rotate around a world-space point + void rotateAroundWorldPoint(const Vector3& axis, float angle, const Vector3& point); + + // Rotate around a local-space point + void rotateAroundLocalPoint(const Vector3& axis, float angle, const Vector3& worldPoint); +}; + +// Return the transform matrix +inline const Matrix4& Object3D::getTransformMatrix() const { + return mTransformMatrix; +} + +// Set the transform matrix +inline void Object3D::setTransformMatrix(const Matrix4& matrix) { + mTransformMatrix = matrix; +} + +// Set to the identity transform +inline void Object3D::setToIdentity() { + mTransformMatrix.setToIdentity(); +} + + // Return the origin of object in world-space +inline Vector3 Object3D::getOrigin() const { + return mTransformMatrix * Vector3(0.0, 0.0, 0.0); +} + +// Translate the object in world-space +inline void Object3D::translateWorld(const Vector3& v) { + mTransformMatrix = Matrix4::translationMatrix(v) * mTransformMatrix; +} + +// Translate the object in local-space +inline void Object3D::translateLocal(const Vector3& v) { + mTransformMatrix = mTransformMatrix * Matrix4::translationMatrix(v); +} + +// Rotate the object in world-space +inline void Object3D::rotateWorld(const Vector3& axis, float angle) { + mTransformMatrix = Matrix4::rotationMatrix(axis, angle) * mTransformMatrix; +} + +// Rotate the object in local-space +inline void Object3D::rotateLocal(const Vector3& axis, float angle) { + mTransformMatrix = mTransformMatrix * Matrix4::rotationMatrix(axis, angle); +} + +// Rotate the object around a world-space point +inline void Object3D::rotateAroundWorldPoint(const Vector3& axis, float angle, + const Vector3& worldPoint) { + mTransformMatrix = Matrix4::translationMatrix(worldPoint) * Matrix4::rotationMatrix(axis, angle) + * Matrix4::translationMatrix(-worldPoint) * mTransformMatrix; +} + +// Rotate the object around a local-space point +inline void Object3D::rotateAroundLocalPoint(const Vector3& axis, float angle, + const Vector3& worldPoint) { + + // Convert the world point into the local coordinate system + Vector3 localPoint = mTransformMatrix.getInverse() * worldPoint; + + mTransformMatrix = mTransformMatrix * Matrix4::translationMatrix(localPoint) + * Matrix4::rotationMatrix(axis, angle) + * Matrix4::translationMatrix(-localPoint); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/Shader.cpp b/examples/common/opengl-framework/src/Shader.cpp new file mode 100644 index 00000000..1ec1b4a9 --- /dev/null +++ b/examples/common/opengl-framework/src/Shader.cpp @@ -0,0 +1,207 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Shader.h" +#include +#include +#include + +// Namespaces +using namespace openglframework; +using namespace std; + +// Constructor +Shader::Shader() : mProgramObjectID(0) { + +} + +// Constructor with arguments +Shader::Shader(const std::string vertexShaderFilename, const std::string fragmentShaderFilename) + : mProgramObjectID(0) { + + // Create the shader + create(vertexShaderFilename, fragmentShaderFilename); +} + +// Destructor +Shader::~Shader() { + +} + +// Create the shader +bool Shader::create(const std::string vertexShaderFilename, + const std::string fragmentShaderFilename) { + + // Set the shader filenames + mFilenameVertexShader = vertexShaderFilename; + mFilenameFragmentShader = fragmentShaderFilename; + + // Check that the needed OpenGL extensions are available + bool isExtensionOK = checkOpenGLExtensions(); + if (!isExtensionOK) { + cerr << "Error : Impossible to use GLSL vertex or fragment shaders on this platform" << endl; + assert(false); + return false; + } + + // Delete the current shader + destroy(); + + assert(!vertexShaderFilename.empty() && !fragmentShaderFilename.empty()); + + // ------------------- Load the vertex shader ------------------- // + GLuint vertexShaderID; + std::ifstream fileVertexShader; + fileVertexShader.open(vertexShaderFilename.c_str(), std::ios::binary); + + if (fileVertexShader.is_open()) { + + // Get the size of the file + fileVertexShader.seekg(0, std::ios::end); + uint fileSize = (uint) (fileVertexShader.tellg()); + assert(fileSize != 0); + + // Read the file + fileVertexShader.seekg(std::ios::beg); + char* bufferVertexShader = new char[fileSize + 1]; + fileVertexShader.read(bufferVertexShader, fileSize); + fileVertexShader.close(); + bufferVertexShader[fileSize] = '\0'; + + // Create the OpenGL vertex shader and compile it + vertexShaderID = glCreateShader(GL_VERTEX_SHADER); + assert(vertexShaderID != 0); + glShaderSource(vertexShaderID, 1, (const char **) (&bufferVertexShader), NULL); + glCompileShader(vertexShaderID); + delete[] bufferVertexShader; + + // Get the compilation information + int compiled; + glGetShaderiv(vertexShaderID, GL_COMPILE_STATUS, &compiled); + + // If the compilation failed + if (compiled == 0) { + + // Get the log of the compilation + int lengthLog; + glGetShaderiv(vertexShaderID, GL_INFO_LOG_LENGTH, &lengthLog); + char* str = new char[lengthLog]; + glGetShaderInfoLog(vertexShaderID, lengthLog, NULL, str); + + // Display the log of the compilation + std::cerr << "Vertex Shader Error : " << str << std::endl; + delete[] str; + assert(false); + return false; + } + } + else { + std::cerr << "Error : Impossible to open the vertex shader file " << + vertexShaderFilename << std::endl; + assert(false); + return false; + } + + // ------------------- Load the fragment shader ------------------- // + GLuint fragmentShaderID; + std::ifstream fileFragmentShader; + fileFragmentShader.open(fragmentShaderFilename.c_str(), std::ios::binary); + assert(fileFragmentShader.is_open()); + + if (fileFragmentShader.is_open()) { + + // Get the size of the file + fileFragmentShader.seekg(0, std::ios::end); + uint fileSize = (uint) (fileFragmentShader.tellg()); + assert(fileSize != 0); + + // Read the file + fileFragmentShader.seekg(std::ios::beg); + char* bufferFragmentShader = new char[fileSize + 1]; + fileFragmentShader.read(bufferFragmentShader, fileSize); + fileFragmentShader.close(); + bufferFragmentShader[fileSize] = '\0'; + + // Create the OpenGL fragment shader and compile it + fragmentShaderID = glCreateShader(GL_FRAGMENT_SHADER); + assert(fragmentShaderID != 0); + glShaderSource(fragmentShaderID, 1, (const char **) (&bufferFragmentShader), NULL); + glCompileShader(fragmentShaderID); + delete[] bufferFragmentShader; + + // Get the compilation information + int compiled; + glGetShaderiv(fragmentShaderID, GL_COMPILE_STATUS, &compiled); + + // If the compilation failed + if (compiled == 0) { + + // Get the log of the compilation + int lengthLog; + glGetShaderiv(fragmentShaderID, GL_INFO_LOG_LENGTH, &lengthLog); + char* str = new char[lengthLog]; + glGetShaderInfoLog(fragmentShaderID, lengthLog, NULL, str); + + // Display the log of the compilation + std::cerr << "Fragment Shader Error : " << str << std::endl; + delete[] str; + assert(false); + return false; + } + } + else { + std::cerr << "Error : Impossible to open the fragment shader file " << + fragmentShaderFilename << std::endl; + assert(false); + return false; + } + + // Create the shader program and attach the shaders + mProgramObjectID = glCreateProgram(); + assert(mProgramObjectID); + glAttachShader(mProgramObjectID, vertexShaderID); + glAttachShader(mProgramObjectID, fragmentShaderID); + glDeleteShader(vertexShaderID); + glDeleteShader(fragmentShaderID); + + // Try to link the program + glLinkProgram(mProgramObjectID); + int linked; + glGetProgramiv(mProgramObjectID, GL_LINK_STATUS, &linked); + if (!linked) { + int logLength; + glGetProgramiv(mProgramObjectID, GL_INFO_LOG_LENGTH, &logLength); + char* strLog = new char[logLength]; + glGetProgramInfoLog(mProgramObjectID, logLength, NULL, strLog); + cerr << "Linker Error in vertex shader " << vertexShaderFilename << + " or in fragment shader " << fragmentShaderFilename << " : " << strLog << endl; + delete[] strLog; + destroy(); + assert(false); + } + + return true; +} diff --git a/examples/common/opengl-framework/src/Shader.h b/examples/common/opengl-framework/src/Shader.h new file mode 100644 index 00000000..82f1b98a --- /dev/null +++ b/examples/common/opengl-framework/src/Shader.h @@ -0,0 +1,262 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef SHADER_H +#define SHADER_H + +// Libraries +#include "definitions.h" +#include "maths/Matrix4.h" +#include "maths/Vector2.h" +#include "maths/Vector3.h" +#include "maths/Vector4.h" +#include +#include +#include + +namespace openglframework { + +// Class Shader +class Shader { + + private : + + // -------------------- Attributes -------------------- // + + // Shader object program ID + GLuint mProgramObjectID; + + // Filenames of the vertex and fragment shaders + std::string mFilenameVertexShader, mFilenameFragmentShader; + + public : + + // -------------------- Methods -------------------- // + + // Constructor + Shader(); + + // Constructor with arguments + Shader(const std::string vertexShaderFilename, const std::string fragmentShaderFilename); + + // Destructor + ~Shader(); + + // Create the shader + bool create(const std::string vertexShaderFilename, + const std::string fragmentShaderFilename); + + // Clear the shader + void destroy(); + + // Bind the shader + void bind() const; + + // Unbind the shader + void unbind() const; + + // Return the location of a uniform variable inside a shader program + int getUniformLocation(const std::string& variableName) const; + + // Set a float uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setFloatUniform(const std::string& variableName, float value) const; + + // Set an int uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setIntUniform(const std::string& variableName, int value) const; + + // Set a vector 2 uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setVector2Uniform(const std::string& variableName, const Vector2& v) const; + + // Set a vector 3 uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setVector3Uniform(const std::string& variableName, const Vector3& v) const; + + // Set a vector 4 uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setVector4Uniform(const std::string& variableName, const Vector4 &v) const; + + // Set a 3x3 matrix uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setMatrix3x3Uniform(const std::string& variableName, const float* matrix, + bool transpose = false) const; + + // Set a 3x3 matrix uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setMatrix3x3Uniform(const std::string& variableName, const Matrix3& matrix) const; + + // Set a 4x4 matrix uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setMatrix4x4Uniform(const std::string& variableName, const float* matrix, + bool transpose = false) const; + + // Set a 4x4 matrix uniform value to this shader (be careful if the uniform is not + // used in the shader, the compiler will remove it, then when you will try + // to set it, an assert will occur) + void setMatrix4x4Uniform(const std::string& variableName, const Matrix4& matrix) const; + + // Return true if the needed OpenGL extensions are available + static bool checkOpenGLExtensions(); +}; + +// Bind the shader +inline void Shader::bind() const { + assert(mProgramObjectID != 0); + glUseProgram(mProgramObjectID); +} + +// Unbind the shader +inline void Shader::unbind() const { + assert(mProgramObjectID != 0); + glUseProgram(0); +} + +// Return the location of a uniform variable inside a shader program +inline int Shader::getUniformLocation(const std::string& variableName) const { + assert(mProgramObjectID != 0); + int location = glGetUniformLocation(mProgramObjectID, variableName.c_str()); + if (location == -1) { + std::cerr << "Error in vertex shader " << mFilenameVertexShader << " or in fragment shader" + << mFilenameFragmentShader << " : No Uniform variable : " << variableName + << std::endl; + } + assert(location != -1); + return location; +} + +// Clear the shader +inline void Shader::destroy() { + if (mProgramObjectID != 0) { + glDeleteShader(mProgramObjectID); + mProgramObjectID = 0; + } +} + +// Set a float uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setFloatUniform(const std::string& variableName, float value) const { + assert(mProgramObjectID != 0); + glUniform1f(getUniformLocation(variableName), value); +} + +// Set an int uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setIntUniform(const std::string& variableName, int value) const { + assert(mProgramObjectID != 0); + glUniform1i(getUniformLocation(variableName), value); +} + +// Set a vector 2 uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setVector2Uniform(const std::string& variableName, const Vector2& v) const { + assert(mProgramObjectID != 0); + glUniform2f(getUniformLocation(variableName), v.x, v.y); +} + +// Set a vector 3 uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setVector3Uniform(const std::string& variableName, const Vector3 &v) const { + assert(mProgramObjectID != 0); + glUniform3f(getUniformLocation(variableName), v.x, v.y, v.z); +} + +// Set a vector 4 uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setVector4Uniform(const std::string& variableName, const Vector4& v) const { + assert(mProgramObjectID != 0); + glUniform4f(getUniformLocation(variableName), v.x, v.y, v.z, v.w); +} + +// Set a 4x4 matrix uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setMatrix3x3Uniform(const std::string& variableName, const float* matrix, + bool transpose) const { + assert(mProgramObjectID != 0); + glUniformMatrix3fv(getUniformLocation(variableName), 1, transpose, matrix); +} + +// Set a 3x3 matrix uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setMatrix3x3Uniform(const std::string& variableName, const Matrix3& matrix) const { + assert(mProgramObjectID != 0); + GLfloat mat[9]; + for (int i=0; i<3; i++) { + for (int j=0; j<3; j++) { + mat[i*3 + j] = matrix.getValue(i, j); + } + } + glUniformMatrix3fv(getUniformLocation(variableName), 1, true, mat); +} + +// Set a 4x4 matrix uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setMatrix4x4Uniform(const std::string& variableName, const float* matrix, + bool transpose) const { + assert(mProgramObjectID != 0); + glUniformMatrix4fv(getUniformLocation(variableName), 1, transpose, matrix); +} + +// Set a 4x4 matrix uniform value to this shader (be careful if the uniform is not +// used in the shader, the compiler will remove it, then when you will try +// to set it, an assert will occur) +inline void Shader::setMatrix4x4Uniform(const std::string& variableName, const Matrix4& matrix) const { + assert(mProgramObjectID != 0); + GLfloat mat[16]; + for (int i=0; i<4; i++) { + for (int j=0; j<4; j++) { + mat[i*4 + j] = matrix.m[i][j]; + } + } + glUniformMatrix4fv(getUniformLocation(variableName), 1, true, mat); +} + +// Return true if the needed OpenGL extensions are available for shaders +inline bool Shader::checkOpenGLExtensions() { + + // Check that GLSL vertex and fragment shaders are available on the platform + return (GLEW_VERSION_2_0 || (GLEW_ARB_vertex_shader && GLEW_ARB_fragment_shader)); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/Texture2D.cpp b/examples/common/opengl-framework/src/Texture2D.cpp new file mode 100644 index 00000000..1b316b73 --- /dev/null +++ b/examples/common/opengl-framework/src/Texture2D.cpp @@ -0,0 +1,84 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Texture2D.h" +#include +#include +#include + +// Namespaces +using namespace openglframework; + +// Constructor +Texture2D::Texture2D() : mID(0), mLayer(0), mWidth(0), mHeight(0) { + +} + +// Constructor +Texture2D::Texture2D(uint width, uint height, uint internalFormat, uint format, uint type) + : mID(0), mLayer(0), mWidth(0), mHeight(0){ + + // Create the texture + create(width, height, internalFormat, format, type); +} + +// Destructor +Texture2D::~Texture2D() { + +} + +// Create the texture +void Texture2D::create(uint width, uint height, uint internalFormat, uint format, uint type, + void* data) { + + // Destroy the current texture + destroy(); + + mWidth = width; + mHeight = height; + + // Create the OpenGL texture + glGenTextures(1, &mID); + assert(mID != 0); + glBindTexture(GL_TEXTURE_2D, mID); + glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_CLAMP_TO_EDGE); + glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_CLAMP_TO_EDGE); + glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); + glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); + glTexImage2D(GL_TEXTURE_2D, 0, internalFormat, mWidth, mHeight, 0, format, type, data); + glBindTexture(GL_TEXTURE_2D, 0); +} + +// Destroy the texture +void Texture2D::destroy() { + if (mID != 0) { + glDeleteTextures(1, &mID); + mID = 0; + mLayer = 0; + mWidth = 0; + mHeight = 0; + } +} diff --git a/examples/common/opengl-framework/src/Texture2D.h b/examples/common/opengl-framework/src/Texture2D.h new file mode 100644 index 00000000..9c6fa1c0 --- /dev/null +++ b/examples/common/opengl-framework/src/Texture2D.h @@ -0,0 +1,142 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef TEXTURE2D_H +#define TEXTURE2D_H + +// Libraries +#include +#include +#include "definitions.h" +#include + +namespace openglframework { + +// Class Texture2D +// This class represents a 2D texture +class Texture2D { + + private: + + // -------------------- Attributes -------------------- // + + // OpenGL texture ID + GLuint mID; + + // Layer of the texture + GLuint mLayer; + + // Width + uint mWidth; + + // Height + uint mHeight; + + public: + + // -------------------- Methods -------------------- // + + // Constructor + Texture2D(); + + // Constructor + Texture2D(uint width, uint height, uint internalFormat, uint format, uint type); + + // Destructor + ~Texture2D(); + + // Create the texture + void create(uint width, uint height, uint internalFormat, uint format, uint type, + void* data = NULL); + + // Destroy the texture + void destroy(); + + // Bind the texture + void bind() const; + + // Unbind the texture + void unbind() const; + + // Get the OpenGL texture ID + uint getID() const; + + // Get the layer of the texture + uint getLayer() const; + + // Set the layer of the texture + void setLayer(uint layer); + + // Get the width + uint getWidth() const; + + // Get the height + uint getHeight() const; +}; + +// Bind the texture +inline void Texture2D::bind() const { + assert(mID != 0); + glEnable(GL_TEXTURE_2D); + glActiveTexture(GL_TEXTURE0 + mLayer); + glBindTexture(GL_TEXTURE_2D, mID); +} + +// Unbind the texture +inline void Texture2D::unbind() const { + assert(mID != 0); + glActiveTexture(GL_TEXTURE0 + mLayer); + glBindTexture(GL_TEXTURE_2D, 0); + glDisable(GL_TEXTURE_2D); +} + +// Get the OpenGL texture ID +inline uint Texture2D::getID() const { + return mID; +} + +// Get the layer of the texture +inline uint Texture2D::getLayer() const { + return mLayer; +} + +// Set the layer of the texture +inline void Texture2D::setLayer(uint layer) { + mLayer = layer; +} + +// Get the width +inline uint Texture2D::getWidth() const { + return mWidth; +} + +// Get the height +inline uint Texture2D::getHeight() const { + return mHeight; +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/TextureReaderWriter.cpp b/examples/common/opengl-framework/src/TextureReaderWriter.cpp new file mode 100644 index 00000000..2e09ad0c --- /dev/null +++ b/examples/common/opengl-framework/src/TextureReaderWriter.cpp @@ -0,0 +1,332 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Librairies +#include "TextureReaderWriter.h" +#include +#ifdef USE_JPEG_TEXTURE + #include + #include +#endif + +using namespace openglframework; +using namespace std; + +// Constants +const uint TextureReaderWriter::JPEG_COMPRESSION_QUALITY = 98; + +// TGA file Header +#pragma pack(push, 1) +typedef struct { + unsigned char identsize; // size of ID field that follows 18 byte header (0 usually) + unsigned char colourmaptype; // type of colour map 0=none, 1=has palette + unsigned char imagetype; // type of image 0=none,1=indexed,2=rgb,3=grey,+8=rle packed + + short colourmapstart; // first colour map entry in palette + short colourmaplength; // number of colours in palette + unsigned char colourmapbits; // number of bits per palette entry 15,16,24,32 + + short xstart; // image x origin + short ystart; // image y origin + short width; // image width in pixels + short height; // image height in pixels + unsigned char bits; // image bits per pixel 8,16,24,32 + unsigned char descriptor; // image descriptor bits (vh flip bits) + + // pixel data follows header +} TGA_HEADER; +#pragma pack(pop) + +// Load a texture from a file +void TextureReaderWriter::loadTextureFromFile(const std::string& filename, + Texture2D& textureToCreate) { + + // Get the extension of the file + uint startPosExtension = filename.find_last_of("."); + string extension = filename.substr(startPosExtension+1); + + // Load the file using the correct method + if (extension == "tga") { + readTGAPicture(filename, textureToCreate); + } +#ifdef USE_JPEG_TEXTURE + else if (extension == "jpg" || extension == "jpeg"){ + readJPEGPicture(filename, textureToCreate); + } +#endif + else { + + // Display an error message and throw an exception + string errorMessage("Error : the TextureLoader class cannot load a file with the extension ."); + errorMessage += extension; + std::cerr << errorMessage << std::endl; + throw std::invalid_argument(errorMessage.c_str()); + } +} + +// Write a texture to a file +void TextureReaderWriter::writeTextureToFile(const std::string& filename,const Texture2D& texture) { + + // Get the extension of the file + uint startPosExtension = filename.find_last_of("."); + string extension = filename.substr(startPosExtension+1); + + // Write the file using the correct method + if (extension == "tga") { + writeTGAPicture(filename, texture); + } +#ifdef USE_JPEG_TEXTURE + else if (extension == "jpg" || extension == "jpeg"){ + writeJPEGPicture(filename, texture); + } +#endif + else { + + // Display an error message and throw an exception + string errorMessage("Error : the TextureReaderWriter class cannot write a file with the extension ."); + errorMessage += extension; + std::cerr << errorMessage << std::endl; + throw std::invalid_argument(errorMessage.c_str()); + } +} + +// Load a TGA picture +void TextureReaderWriter::readTGAPicture(const std::string &filename, Texture2D& textureToCreate) { + + // Open the file + std::ifstream stream(filename.c_str(), std::ios::binary); + + // If we cannot open the file + if(!stream.is_open()) { + + // Throw an exception and display an error message + string errorMessage("Error : Cannot open the file " + filename); + std::cerr << errorMessage << std::endl; + throw std::runtime_error(errorMessage); + } + + TGA_HEADER header; + stream.read((char *)(&header), sizeof(TGA_HEADER)); + assert(header.width <= 4096 && header.width <= 4096 && + header.imagetype == 2 && header.bits == 24); + + // Read the file + uint width = header.width; + uint height = header.width; + uint sizeImg = width*height; + char* data = new char[sizeImg*3]; + assert(data); + stream.read(data, sizeImg*3); + for(uint i = 0; i < sizeImg; i++) { + unsigned pos = i*3; + unsigned char red = data[pos]; + data[pos] = data[pos + 2]; + data[pos + 2] = red; + } + + // Close the stream + stream.close(); + + // Create the OpenGL texture using the picture data from the file + textureToCreate.create(width, height, GL_RGB, GL_RGB, GL_UNSIGNED_BYTE, data); + + // Free the data memory + delete[] data; +} + + +// Write a TGA picture +void TextureReaderWriter::writeTGAPicture(const std::string& filename, const Texture2D& texture) { + assert(texture.getID() != 0); + + // Bind the corresponding texture + glBindTexture(GL_TEXTURE_2D, texture.getID()); + + uint sizeImg = texture.getWidth() * texture.getHeight(); + + // Get the bytes form the OpenGL texture + char* data = new char[sizeImg * 3]; + glGetTexImage(GL_TEXTURE_2D, 0, GL_RGB, GL_UNSIGNED_BYTE, data); + + // Open the file + std::ofstream stream(filename.c_str(), std::ios::binary); + + // If the file cannot be opened + if(!stream.is_open()) { + + // Throw an exception and display an error message + string errorMessage("Error : Cannot create/access the file " + filename); + std::cerr << errorMessage << std::endl; + delete[] data; + throw std::runtime_error(errorMessage); + } + + // Fill in the TGA header + TGA_HEADER header; + header.identsize = 0; // size of ID field that follows 18 byte header (0 usually) + header.colourmaptype = 0; // type of colour map 0=none, 1=has palette + header.imagetype = 2; // type of image 0=none,1=indexed,2=rgb,3=grey,+8=rle packed + header.colourmapstart = 0; // first colour map entry in palette + header.colourmaplength = 0; // number of colours in palette + header.colourmapbits=0; // number of bits per palette entry 15,16,24,32 + header.xstart = 0; // image x origin + header.ystart = 0; // image y origin + header.width = (short)texture.getWidth(); // image width in pixels + header.height = (short)texture.getHeight(); // image height in pixels + header.bits = 24; // image bits per pixel 8,16,24,32 + header.descriptor = 0; // image descriptor bits (vh flip bits) + + // Write the header to the file + stream.write((char*)(&header), sizeof(TGA_HEADER)); + + // Write the bytes to the file + for(uint i = 0; i < sizeImg; i++) { + unsigned pos = i*3; + unsigned char red = data[pos]; + data[pos] = data[pos + 2]; + data[pos + 2] = red; + } + stream.write(data, sizeImg*3); + + // Close the file + stream.close(); + + // Delete the data + delete[] data; + + // Unbind the corresponding texture + glBindTexture(GL_TEXTURE_2D, 0); +} + +#ifdef USE_JPEG_TEXTURE + +// Read a JPEG picture +void TextureReaderWriter::readJPEGPicture(const std::string& filename, Texture2D& textureToCreate) { + + struct jpeg_decompress_struct info; + struct jpeg_error_mgr error; + + info.err = jpeg_std_error(&error); + jpeg_create_decompress(&info); + + // Open the file + FILE* file = fopen(filename.c_str(), "rb"); + + // If we cannot open the file + if (!file) { + + // Throw an exception and display an error message + string errorMessage("Error : Cannot open the file " + filename); + std::cerr << errorMessage << std::endl; + throw std::runtime_error(errorMessage); + } + + jpeg_stdio_src(&info, file); + jpeg_read_header(&info, true); + jpeg_start_decompress(&info); + + unsigned long x = info.output_width; + unsigned long y = info.output_height; + int channels = info.num_components; + assert(channels == 3); + + unsigned long size = x * y * 3; + + BYTE* data = new BYTE[size]; + + BYTE* p1 = data; + BYTE** p2 = &p1; + int numlines = 0; + + while(info.output_scanline < info.output_height) { + numlines = jpeg_read_scanlines(&info, p2, 1); + *p2 += numlines * 3 * info.output_width; + } + + jpeg_finish_decompress(&info); //finish decompressing this file + + // Close the file + fclose(file); + + // Create the OpenGL texture + textureToCreate.create(x, y, GL_RGB, GL_RGB, GL_UNSIGNED_BYTE, data); + + // Free allocated memory + delete[] data; +} + +// Write a JPEG picture +void TextureReaderWriter::writeJPEGPicture(const std::string& filename, const Texture2D& texture) { + + struct jpeg_compress_struct info; + struct jpeg_error_mgr error; + + info.err = jpeg_std_error(&error); + jpeg_create_compress(&info); + + // Open the file + FILE* file = fopen(filename.c_str(), "wb"); + + if (!file) { + // Throw an exception and display an error message + string errorMessage("Error : Cannot write JPEG picture into the file " + filename); + std::cerr << errorMessage << std::endl; + throw std::runtime_error(errorMessage); + } + + // Get the bytes form the OpenGL texture + char* data = new char[texture.getWidth() * texture.getHeight() * 3]; + glGetTexImage(GL_TEXTURE_2D, 0, GL_RGB, GL_UNSIGNED_BYTE, data); + + jpeg_stdio_dest(&info, file); + + info.image_width = texture.getWidth(); + info.image_height = texture.getHeight(); + info.input_components = 3; + info.in_color_space = JCS_RGB; + jpeg_set_defaults(&info); + jpeg_set_quality(&info, JPEG_COMPRESSION_QUALITY, true); + + jpeg_start_compress(&info, true); + + // Write the data into the file + JSAMPROW rowPointer; + int rowStride = texture.getWidth() * 3; + while (info.next_scanline < info.image_height) { + rowPointer = (JSAMPROW) &data[info.next_scanline * rowStride]; + jpeg_write_scanlines(&info, &rowPointer, 1); + } + + jpeg_finish_compress(&info); + jpeg_destroy_compress(&info); + + // Close the file + fclose(file); + + // Free allocated memory + delete[] data; +} + +#endif diff --git a/examples/common/opengl-framework/src/TextureReaderWriter.h b/examples/common/opengl-framework/src/TextureReaderWriter.h new file mode 100644 index 00000000..a83b9671 --- /dev/null +++ b/examples/common/opengl-framework/src/TextureReaderWriter.h @@ -0,0 +1,79 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef TEXTURE_READER_WRITER_H +#define TEXTURE_READER_WRITER_H + +// Libraries +#include "Texture2D.h" +#include +#include +#include + +namespace openglframework { + +// Class TextureReaderWriter +// This class is used to load or write a texture image in different picture format. +// It currently allows to read and write the following formats : .tga +class TextureReaderWriter { + + private : + + // ------------------- Constants ------------------- // + + // JPEG quality for compression (in percent) + static const uint JPEG_COMPRESSION_QUALITY; + + // -------------------- Methods -------------------- // + + // Constructor (private because we do not want instances of this class) + TextureReaderWriter(); + + // Read a TGA picture + static void readTGAPicture(const std::string& filename, Texture2D& textureToCreate); + + // Write a TGA picture + static void writeTGAPicture(const std::string& filename, const Texture2D& texture); + + // Read a JPEG picture + static void readJPEGPicture(const std::string& filename, Texture2D& textureToCreate); + + // Write a JPEG picture + static void writeJPEGPicture(const std::string& filename, const Texture2D& texture); + + public : + + // -------------------- Methods -------------------- // + + // Load a texture from a file + static void loadTextureFromFile(const std::string& filename, Texture2D& textureToCreate); + + // Write a texture to a file + static void writeTextureToFile(const std::string& filename, const Texture2D& texture); +}; + +} + +#endif diff --git a/examples/common/opengl-framework/src/VertexBufferObject.cpp b/examples/common/opengl-framework/src/VertexBufferObject.cpp new file mode 100644 index 00000000..8afd1daf --- /dev/null +++ b/examples/common/opengl-framework/src/VertexBufferObject.cpp @@ -0,0 +1,84 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "VertexBufferObject.h" + +using namespace openglframework; + +// Constructor +VertexBufferObject::VertexBufferObject(GLenum targetData) + : mVertexBufferID(0), mTargetData(targetData) { + +} + +// Destructor +VertexBufferObject::~VertexBufferObject() { + +} + +// Create the vertex buffer object +bool VertexBufferObject::create() { + + // Destroy the current VBO + destroy(); + + // Check that the needed OpenGL extensions are available + bool isExtensionOK = checkOpenGLExtensions(); + if (!isExtensionOK) { + std::cerr << "Error : Impossible to use Vertex Buffer Object on this platform" << std::endl; + assert(false); + return false; + } + + // Generate a new VBO + glGenBuffers(1, &mVertexBufferID); + assert(mVertexBufferID != 0); + + return true; +} + +// Copy data into the VBO +void VertexBufferObject::copyDataIntoVBO(GLsizei size, const void* data, GLenum usage) { + + // Bind the VBO + bind(); + + // Copy the data into the VBO + glBufferData(mTargetData, size, data, usage); + + // Unbind the VBO + unbind(); +} + +// Destroy the VBO +void VertexBufferObject::destroy() { + + // Delete the vertex buffer object + if (mVertexBufferID) { + glDeleteFramebuffers(1, &mVertexBufferID); + mVertexBufferID = 0; + } +} diff --git a/examples/common/opengl-framework/src/VertexBufferObject.h b/examples/common/opengl-framework/src/VertexBufferObject.h new file mode 100644 index 00000000..d697c659 --- /dev/null +++ b/examples/common/opengl-framework/src/VertexBufferObject.h @@ -0,0 +1,106 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef VERTEX_BUFFER_OBJECT_H +#define VERTEX_BUFFER_OBJECT_H + +// Libraries +#include +#include +#include + +namespace openglframework { + + +// Class VertexBufferObject +class VertexBufferObject { + + private : + + // -------------------- Attributes -------------------- // + + /// ID of the Vertex Buffer Object + GLuint mVertexBufferID; + + /// Target data. This variable must be GL_ARRAY_BUFFER if the VBO contains vertex + /// data (vertex coordinates, texture coordinates, normals, colors) or must be + /// GL_ELEMENT_ARRAY_BUFFER if the VBO contains index data (index array). + GLenum mTargetData; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + VertexBufferObject(GLenum targetData); + + /// Destructor + ~VertexBufferObject(); + + /// Create the vertex buffer object + bool create(); + + /// Copy data into the VBO + void copyDataIntoVBO(GLsizei size, const void* data, GLenum usage); + + /// Bind the VBO + void bind() const; + + /// Unbind the VBO + void unbind() const; + + /// Return true if the needed OpenGL extensions are available for VBO + static bool checkOpenGLExtensions(); + + /// Destroy the VBO + void destroy(); +}; + +// Bind the VBO +inline void VertexBufferObject::bind() const { + assert(mVertexBufferID != 0); + + // Bind the VBO + glBindBuffer(mTargetData, mVertexBufferID); +} + +// Unbind the VBO +inline void VertexBufferObject::unbind() const { + assert(mVertexBufferID != 0); + + // Unbind the VBO + glBindBuffer(mTargetData, 0); +} + +// Return true if the needed OpenGL extensions are available for VBO +inline bool VertexBufferObject::checkOpenGLExtensions() { + + // Check that OpenGL version is at least 1.5 or there the vertex buffer object extension exists + return (GLEW_VERSION_1_5 || GL_ARB_vertex_buffer_object); +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/definitions.h b/examples/common/opengl-framework/src/definitions.h new file mode 100644 index 00000000..5cacbdf4 --- /dev/null +++ b/examples/common/opengl-framework/src/definitions.h @@ -0,0 +1,39 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef DEFINITIONS_H +#define DEFINITIONS_H + +namespace openglframework { + +// ------------------- Type definitions ------------------- // +typedef unsigned int uint; + +// ------------------- Constants ------------------- // +const float PI = 3.141592654f; + +} + +#endif diff --git a/examples/common/opengl-framework/src/maths/Color.h b/examples/common/opengl-framework/src/maths/Color.h new file mode 100644 index 00000000..a4629f8d --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Color.h @@ -0,0 +1,76 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef COLOR_H +#define COLOR_H + +namespace openglframework { + +// Structure Color +// This structure represents a RGBA color. +struct Color { + + public: + + // -------------------- Attributes -------------------- // + + // RGBA color components + float r, g, b, a; + + // -------------------- Methods -------------------- // + + // Constructor + Color() : r(1), g(1), b(1), a(1) {} + + // Constructor + Color(float r, float g, float b, float a) : r(r), g(g), b(b), a(a) {} + + // Copy-constructor + Color(const Color& color) : r(color.r), g(color.g), b(color.b), a(color.a) {} + + // Destructor + ~Color() {} + + // Return the black color + static Color black() { return Color(0.0f, 0.0f, 0.0f, 1.0f);} + + // Return the white color + static Color white() { return Color(1.0f, 1.0f, 1.0f, 1.0f);} + + // = operator + Color& operator=(const Color& color) { + if (&color != this) { + r = color.r; + g = color.g; + b = color.b; + a = color.a; + } + return *this; + } +}; + +} + +#endif diff --git a/examples/common/opengl-framework/src/maths/Matrix3.h b/examples/common/opengl-framework/src/maths/Matrix3.h new file mode 100644 index 00000000..5460f616 --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Matrix3.h @@ -0,0 +1,279 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef MATRIX3_H +#define MATRIX3_H + +// Libraries +#include +#include +#include "Vector3.h" + +namespace openglframework { + +// Class Matrix4 +// This class represents a 4x4 matrix +class Matrix3 { + + private : + + // -------------------- Attributes -------------------- // + + // Elements of the matrix + float m[3][3]; + + public : + + // Constructor + Matrix3() { + setToNull(); + } + + // Constructor + Matrix3(float a1, float a2, + float a3, float b1, float b2, float b3, + float c1, float c2, float c3) { + setAllValues(a1, a2, a3, b1, b2, b3, c1, c2, c3); + } + + // Constructor + Matrix3(float n[3][3]) { + m[0][0]=n[0][0]; m[0][1]=n[0][1]; m[0][2]=n[0][2]; + m[1][0]=n[1][0]; m[1][1]=n[1][1]; m[1][2]=n[1][2]; + m[2][0]=n[2][0]; m[2][1]=n[2][1]; m[2][2]=n[2][2]; + } + + // Constructor + Matrix3(const Vector3& a1, const Vector3& a2, const Vector3& a3) { + m[0][0] = a1.x; m[0][1] = a2.x; m[0][2] = a3.x; + m[1][0] = a1.y; m[1][1] = a2.y; m[1][2] = a3.y; + m[2][0] = a1.z; m[2][1] = a2.z; m[2][2] = a3.z; + } + + // Constructor + Matrix3(const Matrix3& matrix) { + setAllValues(matrix.m[0][0], matrix.m[0][1], matrix.m[0][2], + matrix.m[1][0], matrix.m[1][1], matrix.m[1][2], + matrix.m[2][0], matrix.m[2][1], matrix.m[2][2]); + } + + // Method to get a value in the matrix + float getValue(int i, int j) const { + assert(i>=0 && i<3 && j>=0 && j<3); + return m[i][j]; + } + + // Method to set a value in the matrix + void setValue(int i, int j, float value) { + assert(i>=0 && i<3 && j>=0 && j<3); + m[i][j] = value; + } + + // Method to set all the values in the matrix + void setAllValues(float a1, float a2, float a3, float b1, float b2, float b3, + float c1, float c2, float c3) { + m[0][0] = a1; m[0][1] = a2; m[0][2] = a3; + m[1][0] = b1; m[1][1] = b2; m[1][2] = b3; + m[2][0] = c1; m[2][1] = c2; m[2][2] = c3; + } + + // Return a column + Vector3 getColumn(int i) const { + assert(i>= 0 && i<3); + return Vector3(m[0][i], m[1][i], m[2][i]); + } + + // Return the transpose matrix + Matrix3 getTranspose() const { + // Return the transpose matrix + return Matrix3(m[0][0], m[1][0], m[2][0], + m[0][1], m[1][1], m[2][1], + m[0][2], m[1][2], m[2][2]); + } + + // Return the determinant of the matrix + float getDeterminant() const { + // Compute and return the determinant of the matrix + return (m[0][0]*(m[1][1]*m[2][2]-m[2][1]*m[1][2]) - m[0][1]*(m[1][0]*m[2][2]-m[2][0]*m[1][2]) + + m[0][2]*(m[1][0]*m[2][1]-m[2][0]*m[1][1])); + } + + // Return the trace of the matrix + float getTrace() const { + // Compute and return the trace + return (m[0][0] + m[1][1] + m[2][2]); + } + + void setToNull() { + m[0][0] = 0.0; m[0][1] = 0.0; m[0][2] = 0.0; + m[1][0] = 0.0; m[1][1] = 0.0; m[1][2] = 0.0; + m[2][0] = 0.0; m[2][1] = 0.0; m[2][2] = 0.0; + } + + bool isNull() const { + Matrix3 zero; + return *this == zero; + } + + // Set the matrix to the identity matrix + void setToIdentity() { + m[0][0] = 1.0; m[0][1] = 0.0; m[0][2] = 0.0; + m[1][0] = 0.0; m[1][1] = 1.0; m[1][2] = 0.0; + m[2][0] = 0.0; m[2][1] = 0.0; m[2][2] = 1.0; + } + + bool isIdentity() const { + Matrix3 I; + I.setToIdentity(); + return ( *this == I ); + } + + // Return the inverse matrix + Matrix3 getInverse() const { + + // Compute the determinant of the matrix + float determinant = getDeterminant(); + + // Check if the determinant is equal to zero + assert(determinant > std::numeric_limits::epsilon()); + + float invDeterminant = 1.0f / determinant; + Matrix3 tempMatrix((m[1][1]*m[2][2]-m[2][1]*m[1][2]), -(m[0][1]*m[2][2]-m[2][1]*m[0][2]), (m[0][1]*m[1][2]-m[0][2]*m[1][1]), + -(m[1][0]*m[2][2]-m[2][0]*m[1][2]), (m[0][0]*m[2][2]-m[2][0]*m[0][2]), -(m[0][0]*m[1][2]-m[1][0]*m[0][2]), + (m[1][0]*m[2][1]-m[2][0]*m[1][1]), -(m[0][0]*m[2][1]-m[2][0]*m[0][1]), (m[0][0]*m[1][1]-m[0][1]*m[1][0])); + + // Return the inverse matrix + return (tempMatrix * invDeterminant); + } + + // Display the matrix + void print() const { + for (int i=0; i<3; i++) { + for (int j=0; j<3; j++) { + std::cout << m[i][j] << " "; + } + std::cout << std::endl; + } + } + + // Overloaded operator = + Matrix3& operator=(const Matrix3& matrix) { + if (&matrix != this) { + setAllValues(matrix.m[0][0], matrix.m[0][1], matrix.m[0][2], + matrix.m[1][0], matrix.m[1][1], matrix.m[1][2], + matrix.m[2][0], matrix.m[2][1], matrix.m[2][2]); + } + return *this; + } + + + // Overloaded operator for addition + Matrix3 operator+(const Matrix3& matrix2) { + return Matrix3(m[0][0] + matrix2.m[0][0], m[0][1] + matrix2.m[0][1], m[0][2] + matrix2.m[0][2], + m[1][0] + matrix2.m[1][0], m[1][1] + matrix2.m[1][1], m[1][2] + matrix2.m[1][2], + m[2][0] + matrix2.m[2][0], m[2][1] + matrix2.m[2][1], m[2][2] + matrix2.m[2][2]); + } + + // Overloaded operator for substraction + Matrix3 operator-(const Matrix3& matrix2) { + return Matrix3(m[0][0] - matrix2.m[0][0], m[0][1] - matrix2.m[0][1], m[0][2] - matrix2.m[0][2], + m[1][0] - matrix2.m[1][0], m[1][1] - matrix2.m[1][1], m[1][2] - matrix2.m[1][2], + m[2][0] - matrix2.m[2][0], m[2][1] - matrix2.m[2][1], m[2][2] - matrix2.m[2][2]); + } + + // Overloaded operator for the negative of the matrix + Matrix3 operator-() { + return Matrix3(-m[0][0], -m[0][1], -m[0][2], + -m[1][0], -m[1][1], -m[1][2], + -m[2][0], -m[2][1], -m[2][2]); + } + + // Overloaded operator for multiplication with a number + Matrix3 operator*(float nb) { + return Matrix3(m[0][0] * nb, m[0][1] * nb, m[0][2] * nb, + m[1][0] * nb, m[1][1] * nb, m[1][2] * nb, + m[2][0] * nb, m[2][1] * nb, m[2][2] * nb); + } + + // Overloaded operator for matrix multiplication + Matrix3 operator*(const Matrix3& matrix2) { + return Matrix3(m[0][0]*matrix2.m[0][0] + m[0][1]*matrix2.m[1][0] + m[0][2]*matrix2.m[2][0], + m[0][0]*matrix2.m[0][1] + m[0][1]*matrix2.m[1][1] + m[0][2]*matrix2.m[2][1], + m[0][0]*matrix2.m[0][2] + m[0][1]*matrix2.m[1][2] + m[0][2]*matrix2.m[2][2], + m[1][0]*matrix2.m[0][0] + m[1][1]*matrix2.m[1][0] + m[1][2]*matrix2.m[2][0], + m[1][0]*matrix2.m[0][1] + m[1][1]*matrix2.m[1][1] + m[1][2]*matrix2.m[2][1], + m[1][0]*matrix2.m[0][2] + m[1][1]*matrix2.m[1][2] + m[1][2]*matrix2.m[2][2], + m[2][0]*matrix2.m[0][0] + m[2][1]*matrix2.m[1][0] + m[2][2]*matrix2.m[2][0], + m[2][0]*matrix2.m[0][1] + m[2][1]*matrix2.m[1][1] + m[2][2]*matrix2.m[2][1], + m[2][0]*matrix2.m[0][2] + m[2][1]*matrix2.m[1][2] + m[2][2]*matrix2.m[2][2]); + } + + // Overloaded operator for multiplication with a vector + Vector3 operator*(const Vector3& vector) { + return Vector3(m[0][0]*vector.x + m[0][1]*vector.y + m[0][2]*vector.z, + m[1][0]*vector.x + m[1][1]*vector.y + m[1][2]*vector.z, + m[2][0]*vector.x + m[2][1]*vector.y + m[2][2]*vector.z); + } + + // Overloaded operator for equality condition + bool operator==(const Matrix3& matrix) const { + return (m[0][0] == matrix.m[0][0] && m[0][1] == matrix.m[0][1] && m[0][2] == matrix.m[0][2] && + m[1][0] == matrix.m[1][0] && m[1][1] == matrix.m[1][1] && m[1][2] == matrix.m[1][2] && + m[2][0] == matrix.m[2][0] && m[2][1] == matrix.m[2][1] && m[2][2] == matrix.m[2][2]); + } + + // Overloaded operator for the is different condition + bool operator!= (const Matrix3& matrix) const { + return !(*this == matrix); + } + + // Overloaded operator for addition with assignment + Matrix3& operator+=(const Matrix3& matrix) { + m[0][0] += matrix.m[0][0]; m[0][1] += matrix.m[0][1]; m[0][2] += matrix.m[0][2]; + m[1][0] += matrix.m[1][0]; m[1][1] += matrix.m[1][1]; m[1][2] += matrix.m[1][2]; + m[2][0] += matrix.m[2][0]; m[2][1] += matrix.m[2][1]; m[2][2] += matrix.m[2][2]; + return *this; + } + + // Overloaded operator for substraction with assignment + Matrix3& operator-=(const Matrix3& matrix) { + m[0][0] -= matrix.m[0][0]; m[0][1] -= matrix.m[0][1]; m[0][2] -= matrix.m[0][2]; + m[1][0] -= matrix.m[1][0]; m[1][1] -= matrix.m[1][1]; m[1][2] -= matrix.m[1][2]; + m[2][0] -= matrix.m[2][0]; m[2][1] -= matrix.m[2][1]; m[2][2] -= matrix.m[2][2]; + return *this; + } + + // Overloaded operator for multiplication with a number with assignment + Matrix3& operator*=(float nb) { + m[0][0] *= nb; m[0][1] *= nb; m[0][2] *= nb; + m[1][0] *= nb; m[1][1] *= nb; m[1][2] *= nb; + m[2][0] *= nb; m[2][1] *= nb; m[2][2] *= nb; + return *this; + } +}; + +} + +#endif diff --git a/examples/common/opengl-framework/src/maths/Matrix4.h b/examples/common/opengl-framework/src/maths/Matrix4.h new file mode 100644 index 00000000..bcfbcebd --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Matrix4.h @@ -0,0 +1,427 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef MATRIX4_H +#define MATRIX4_H + +// Libraries +#include +#include +#include +#include "Vector3.h" +#include "Vector4.h" +#include "Matrix3.h" + +namespace openglframework { + +// Class Matrix4 +// This class represents a 4x4 matrix +class Matrix4 { + + public: + + // -------------------- Attributes -------------------- // + + // Elements of the matrix + float m[4][4]; + + // -------------------- Methods -------------------- // + + // Constructor + Matrix4(float m_00=0, float m_01=0, float m_02=0, float m_03=0, + float m_10=0, float m_11=0, float m_12=0, float m_13=0, + float m_20=0, float m_21=0, float m_22=0, float m_23=0, + float m_30=0, float m_31=0, float m_32=0, float m_33=0) { + m[0][0] = m_00; m[0][1] = m_01; m[0][2] = m_02; m[0][3] = m_03; + m[1][0] = m_10; m[1][1] = m_11; m[1][2] = m_12; m[1][3] = m_13; + m[2][0] = m_20; m[2][1] = m_21; m[2][2] = m_22; m[2][3] = m_23; + m[3][0] = m_30; m[3][1] = m_31; m[3][2] = m_32; m[3][3] = m_33; + } + + // Constructor + Matrix4(float n[4][4]) { + m[0][0]=n[0][0]; m[0][1]=n[0][1]; m[0][2]=n[0][2]; m[0][3]=n[0][3]; + m[1][0]=n[1][0]; m[1][1]=n[1][1]; m[1][2]=n[1][2]; m[1][3]=n[1][3]; + m[2][0]=n[2][0]; m[2][1]=n[2][1]; m[2][2]=n[2][2]; m[2][3]=n[2][3]; + m[3][0]=n[3][0]; m[3][1]=n[3][1]; m[3][2]=n[3][2]; m[3][3]=n[3][3]; + } + + // Constructor + Matrix4(const Vector3& a1, const Vector3& a2, const Vector3& a3) { + m[0][0] = a1.x; m[0][1] = a2.x; m[0][2] = a3.x; m[0][3] = 0.f; + m[1][0] = a1.y; m[1][1] = a2.y; m[1][2] = a3.y; m[1][3] = 0.f; + m[2][0] = a1.z; m[2][1] = a2.z; m[2][2] = a3.z; m[2][3] = 0.f; + m[3][0] = 0.f; m[3][1] = 0.f; m[3][2] = 0.f; m[3][3] = 1.f; + } + + // Constructor + Matrix4(const Vector4& a1, const Vector4& a2, const Vector4& a3) { + m[0][0] = a1.x; m[0][1] = a2.x; m[0][2] = a3.x; m[0][3] = 0.f; + m[1][0] = a1.y; m[1][1] = a2.y; m[1][2] = a3.y; m[1][3] = 0.f; + m[2][0] = a1.z; m[2][1] = a2.z; m[2][2] = a3.z; m[2][3] = 0.f; + m[3][0] = a1.w; m[3][1] = a2.w; m[3][2] = a3.w; m[3][3] = 1.f; + } + + // Constructor + Matrix4(const Matrix4& matrix) { + + setAllValues(matrix.m[0][0], matrix.m[0][1], matrix.m[0][2], matrix.m[0][3], + matrix.m[1][0], matrix.m[1][1], matrix.m[1][2], matrix.m[1][3], + matrix.m[2][0], matrix.m[2][1], matrix.m[2][2], matrix.m[2][3], + matrix.m[3][0], matrix.m[3][1], matrix.m[3][2], matrix.m[3][3]); + } + + // + operator + Matrix4 operator+(const Matrix4 &n) const { + return Matrix4(m[0][0]+n.m[0][0], m[0][1]+n.m[0][1], m[0][2]+n.m[0][2], m[0][3]+n.m[0][3], + m[1][0]+n.m[1][0], m[1][1]+n.m[1][1], m[1][2]+n.m[1][2], m[1][3]+n.m[1][3], + m[2][0]+n.m[2][0], m[2][1]+n.m[2][1], m[2][2]+n.m[2][2], m[2][3]+n.m[2][3], + m[3][0]+n.m[3][0], m[3][1]+n.m[3][1], m[3][2]+n.m[3][2], m[3][3]+n.m[3][3]); + } + + // += operator + Matrix4& operator+=(const Matrix4 &n) { + m[0][0]+=n.m[0][0]; m[0][1]+=n.m[0][1]; m[0][2]+=n.m[0][2]; m[0][3]+=n.m[0][3]; + m[1][0]+=n.m[1][0]; m[1][1]+=n.m[1][1]; m[1][2]+=n.m[1][2]; m[1][3]+=n.m[1][3]; + m[2][0]+=n.m[2][0]; m[2][1]+=n.m[2][1]; m[2][2]+=n.m[2][2]; m[2][3]+=n.m[2][3]; + m[3][0]+=n.m[3][0]; m[3][1]+=n.m[3][1]; m[3][2]+=n.m[3][2]; m[3][3]+=n.m[3][3]; + return *this; + } + + // - operator + Matrix4 operator-(const Matrix4 &n) const { + return Matrix4(m[0][0]-n.m[0][0], m[0][1]-n.m[0][1], m[0][2]-n.m[0][2], m[0][3]-n.m[0][3], + m[1][0]-n.m[1][0], m[1][1]-n.m[1][1], m[1][2]-n.m[1][2], m[1][3]-n.m[1][3], + m[2][0]-n.m[2][0], m[2][1]-n.m[2][1], m[2][2]-n.m[2][2], m[2][3]-n.m[2][3], + m[3][0]-n.m[3][0], m[3][1]-n.m[3][1], m[3][2]-n.m[3][2], m[3][3]-n.m[3][3]); + } + + // -= operator + Matrix4& operator-=(const Matrix4 &n) { + m[0][0]-=n.m[0][0]; m[0][1]-=n.m[0][1]; m[0][2]-=n.m[0][2]; m[0][3]-=n.m[0][3]; + m[1][0]-=n.m[1][0]; m[1][1]-=n.m[1][1]; m[1][2]-=n.m[1][2]; m[1][3]-=n.m[1][3]; + m[2][0]-=n.m[2][0]; m[2][1]-=n.m[2][1]; m[2][2]-=n.m[2][2]; m[2][3]-=n.m[2][3]; + m[3][0]-=n.m[3][0]; m[3][1]-=n.m[3][1]; m[3][2]-=n.m[3][2]; m[3][3]-=n.m[3][3]; + return *this; + } + + // = operator + Matrix4& operator=(const Matrix4& matrix) { + if (&matrix != this) { + setAllValues(matrix.m[0][0], matrix.m[0][1], matrix.m[0][2], matrix.m[0][3], + matrix.m[1][0], matrix.m[1][1], matrix.m[1][2], matrix.m[1][3], + matrix.m[2][0], matrix.m[2][1], matrix.m[2][2], matrix.m[2][3], + matrix.m[3][0], matrix.m[3][1], matrix.m[3][2], matrix.m[3][3]); + } + return *this; + } + + // == operator + bool operator==(const Matrix4 &n) const { + return m[0][0]==n.m[0][0] && m[0][1]==n.m[0][1] && m[0][2]==n.m[0][2] && m[0][3]==n.m[0][3] && + m[1][0]==n.m[1][0] && m[1][1]==n.m[1][1] && m[1][2]==n.m[1][2] && m[1][3]==n.m[1][3] && + m[2][0]==n.m[2][0] && m[2][1]==n.m[2][1] && m[2][2]==n.m[2][2] && m[2][3]==n.m[2][3] && + m[3][0]==n.m[3][0] && m[3][1]==n.m[3][1] && m[3][2]==n.m[3][2] && m[3][3]==n.m[3][3]; + } + + // * operator + Matrix4 operator*(const Matrix4 &n) const { + Matrix4 o; + for(int i = 0; i < 4; i++) { + for(int j = 0; j < 4; j++) { + float v = 0; + for(int k = 0; k < 4; k++) { + v += m[i][k] * n.m[k][j]; + } + o.m[i][j] = v; + } + } + return o; + } + + // * operator + Vector3 operator*(const Vector3 &v) const { + Vector3 u =Vector3(m[0][0]*v.x + m[0][1]*v.y + m[0][2]*v.z + m[0][3], + m[1][0]*v.x + m[1][1]*v.y + m[1][2]*v.z + m[1][3], + m[2][0]*v.x + m[2][1]*v.y + m[2][2]*v.z + m[2][3]); + float w = m[3][0]*v.x + m[3][1]*v.y + m[3][2]*v.z + m[3][3]; + return u/w; + } + + // * operator + Vector4 operator*(const Vector4 &v) const { + Vector4 u = Vector4(m[0][0]*v.x + m[0][1]*v.y + m[0][2]*v.z + v.w*m[0][3], + m[1][0]*v.x + m[1][1]*v.y + m[1][2]*v.z + v.w*m[1][3], + m[2][0]*v.x + m[2][1]*v.y + m[2][2]*v.z + v.w*m[2][3], + m[3][0]*v.x + m[3][1]*v.y + m[3][2]*v.z + v.w*m[3][3]); + if(u.w != 0) + return u/u.w; + else + return u; + } + + // * operator + Matrix4 operator*(float f) const { + return Matrix4(m[0][0]*f, m[0][1]*f, m[0][2]*f, m[0][3]*f, + m[1][0]*f, m[1][1]*f, m[1][2]*f, m[1][3]*f, + m[2][0]*f, m[2][1]*f, m[2][2]*f, m[2][3]*f, + m[3][0]*f, m[3][1]*f, m[3][2]*f, m[3][3]*f); + } + + // * operator + Matrix4 &operator*=(float f) { + m[0][0]*=f; m[0][1]*=f; m[0][2]*=f; m[0][3]*=f; + m[1][0]*=f; m[1][1]*=f; m[1][2]*=f; m[1][3]*=f; + m[2][0]*=f; m[2][1]*=f; m[2][2]*=f; m[2][3]*=f; + m[3][0]*=f; m[3][1]*=f; m[3][2]*=f; m[3][3]*=f; + return *this; + } + + // / operator + Matrix4 operator/(float f) const { + assert(f!=0); + return Matrix4(m[0][0]/f, m[0][1]/f, m[0][2]/f, m[0][3]/f, + m[1][0]/f, m[1][1]/f, m[1][2]/f, m[1][3]/f, + m[2][0]/f, m[2][1]/f, m[2][2]/f, m[2][3]/f, + m[3][0]/f, m[3][1]/f, m[3][2]/f, m[3][3]/f); + } + + // /= operator + Matrix4 &operator/=(float f) { + assert(f!=0); + m[0][0]/=f; m[0][1]/=f; m[0][2]/=f; m[0][3]/=f; + m[1][0]/=f; m[1][1]/=f; m[1][2]/=f; m[1][3]/=f; + m[2][0]/=f; m[2][1]/=f; m[2][2]/=f; m[2][3]/=f; + m[3][0]/=f; m[3][1]/=f; m[3][2]/=f; m[3][3]/=f; + return *this; + } + + // - operator + Matrix4 operator-() const { + return Matrix4(-m[0][0], -m[0][1], -m[0][2], -m[0][3], + -m[1][0], -m[1][1], -m[1][2], -m[1][3], + -m[2][0], -m[2][1], -m[2][2], -m[2][3], + -m[3][0], -m[3][1], -m[3][2], -m[3][3]); + } + + // Return the transpose matrix + Matrix4 getTranspose() const { + return Matrix4(m[0][0], m[1][0], m[2][0], m[3][0], + m[0][1], m[1][1], m[2][1], m[3][1], + m[0][2], m[1][2], m[2][2], m[3][2], + m[0][3], m[1][3], m[2][3], m[3][3]); + } + + // Return the 3x3 upper-left matrix + Matrix3 getUpperLeft3x3Matrix() const { + return Matrix3(m[0][0], m[0][1], m[0][2], + m[1][0], m[1][1], m[1][2], + m[2][0], m[2][1], m[2][2]); + } + + // Return the inversed matrix + Matrix4 getInverse() const { + int indxc[4], indxr[4]; + int ipiv[4] = { 0, 0, 0, 0 }; + float minv[4][4]; + float temp; + + for (int s=0; s<4; s++) { + for (int t=0; t<4; t++) { + minv[s][t] = m[s][t]; + } + } + + for (int i = 0; i < 4; i++) { + int irow = -1, icol = -1; + float big = 0.; + // Choose pivot + for (int j = 0; j < 4; j++) { + if (ipiv[j] != 1) { + for (int k = 0; k < 4; k++) { + if (ipiv[k] == 0) { + if (fabs(minv[j][k]) >= big) { + big = float(fabs(minv[j][k])); + irow = j; + icol = k; + } + } + else if (ipiv[k] > 1) { + std::cout << "ERROR: Singular matrix in MatrixInvert\n"; + } + } + } + } + ++ipiv[icol]; + // Swap rows _irow_ and _icol_ for pivot + if (irow != icol) { + for (int k = 0; k < 4; ++k){ + temp = minv[irow][k]; + minv[irow][k] = minv[icol][k]; + minv[icol][k] = temp; + } + } + indxr[i] = irow; + indxc[i] = icol; + if (minv[icol][icol] == 0.){ + std::cout << "Singular matrix in MatrixInvert\n"; + } + // Set $m[icol][icol]$ to one by scaling row _icol_ appropriately + float pivinv = 1.f / minv[icol][icol]; + minv[icol][icol] = 1.f; + for (int j = 0; j < 4; j++) { + minv[icol][j] *= pivinv; + } + + // Subtract this row from others to zero out their columns + for (int j = 0; j < 4; j++) { + if (j != icol) { + float save = minv[j][icol]; + minv[j][icol] = 0; + for (int k = 0; k < 4; k++) { + minv[j][k] -= minv[icol][k]*save; + } + } + } + } + // Swap columns to reflect permutation + for (int j = 3; j >= 0; j--) { + if (indxr[j] != indxc[j]) { + for (int k = 0; k < 4; k++){ + temp = minv[k][indxr[j]]; + minv[k][indxr[j]] = minv[k][indxc[j]]; + minv[k][indxc[j]] = temp; + } + } + } + return Matrix4(minv); + } + + // Method to set all the values in the matrix + void setAllValues(float a1, float a2, float a3, float a4, + float b1, float b2, float b3, float b4, + float c1, float c2, float c3, float c4, + float d1, float d2, float d3, float d4) { + m[0][0] = a1; m[0][1] = a2; m[0][2] = a3, m[0][3] = a4; + m[1][0] = b1; m[1][1] = b2; m[1][2] = b3; m[1][3] = b4; + m[2][0] = c1; m[2][1] = c2; m[2][2] = c3; m[2][3] = c4; + m[3][0] = d1; m[3][1] = d2; m[3][2] = d3; m[3][3] = d4; + } + + // Set the matrix to the identity matrix + Matrix4 setToIdentity() { + m[0][0] = 1.f; m[0][1] = 0.f; m[0][2] = 0.f; m[0][3] = 0.f; + m[1][0] = 0.f; m[1][1] = 1.f; m[1][2] = 0.f; m[1][3] = 0.f; + m[2][0] = 0.f; m[2][1] = 0.f; m[2][2] = 1.f; m[2][3] = 0.f; + m[3][0] = 0.f; m[3][1] = 0.f; m[3][2] = 0.f; m[3][3] = 1.f; + return *this; + } + + // Display the matrix + void print() const { + for (int i=0; i<4; i++) { + for (int j=0; j<4; j++) { + std::cout << m[i][j]; + } + std::cout << std::endl; + } + } + + // Return the pointer to the data array of the matrix + float* dataBlock() { + return m[0]; + } + + // Return the constant pointer to the data array of the matrix + const float* dataBlock() const { + return m[0]; + } + + // Return a given value from the matrix + float getValue(int i, int j) const { + assert(i >= 0 && i<4 && j >= 0 && j<4); + return m[i][j]; + } + + // Return the trace of the matrix + float getTrace() const { + // Compute and return the trace + return (m[0][0] + m[1][1] + m[2][2] + m[3][3]); + } + + // Return a 4x4 translation matrix + static Matrix4 translationMatrix(const Vector3& v); + + // Return a 4x4 rotation matrix + static Matrix4 rotationMatrix(const Vector3& axis, float angle); +}; + +// * operator +inline Matrix4 operator*(float f, const Matrix4 & m) { + return (m * f); +} + +// Return a 4x4 translation matrix +inline Matrix4 Matrix4::translationMatrix(const Vector3& v) { + return Matrix4(1, 0, 0, v.x, + 0, 1, 0, v.y, + 0, 0, 1, v.z, + 0, 0, 0, 1); +} + +// Return a 4x4 rotation matrix +inline Matrix4 Matrix4::rotationMatrix(const Vector3& axis, float angle) { + + float cosA = cos(angle); + float sinA = sin(angle); + Matrix4 rotationMatrix; + rotationMatrix.setToIdentity(); + + rotationMatrix.m[0][0] = cosA + (1-cosA) * axis.x * axis.x; + rotationMatrix.m[0][1] = (1-cosA) * axis.x * axis.y - axis.z * sinA; + rotationMatrix.m[0][2] = (1-cosA) * axis.x * axis.z + axis.y * sinA; + rotationMatrix.m[0][3] = 0.f; + + rotationMatrix.m[1][0] = (1-cosA) * axis.x * axis.y + axis.z * sinA; + rotationMatrix.m[1][1] = cosA + (1-cosA) * axis.y * axis.y; + rotationMatrix.m[1][2] = (1-cosA) * axis.y * axis.z - axis.x * sinA; + rotationMatrix.m[1][3] = 0.f; + + rotationMatrix.m[2][0] = (1-cosA) * axis.x * axis.z - axis.y * sinA; + rotationMatrix.m[2][1] = (1-cosA) * axis.y * axis.z + axis.x * sinA; + rotationMatrix.m[2][2] = cosA + (1-cosA) * axis.z * axis.z; + rotationMatrix.m[2][3] = 0.f; + + rotationMatrix.m[3][0] = 0.f; + rotationMatrix.m[3][1] = 0.f; + rotationMatrix.m[3][2] = 0.f; + rotationMatrix.m[3][3] = 1.f; + + return rotationMatrix; +} + +} + +#endif //_MATRIX4_H diff --git a/examples/common/opengl-framework/src/maths/Vector2.h b/examples/common/opengl-framework/src/maths/Vector2.h new file mode 100644 index 00000000..0bc0eb9c --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Vector2.h @@ -0,0 +1,159 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef VECTOR2_H +#define VECTOR2_H + +// Libraries +#include +#include + +namespace openglframework { + +// Class Vector2 +// This class represents a 2D vector. +class Vector2 { + + public: + + // -------------------- Attributes -------------------- // + + // Components of the vector + float x, y; + + + // -------------------- Methods -------------------- // + + // Constructor + Vector2(float x=0, float y=0) : x(x), y(y) {} + + // Constructor + Vector2(const Vector2& vector) : x(vector.x), y(vector.y) {} + + // + operator + Vector2 operator+(const Vector2 &v) const { + return Vector2(x + v.x, y + v.y); + } + + // += operator + Vector2& operator+=(const Vector2 &v) { + x += v.x; y += v.y; + return *this; + } + + // - operator + Vector2 operator-(const Vector2 &v) const { + return Vector2(x - v.x, y - v.y); + } + + // -= operator + Vector2& operator-=(const Vector2 &v) { + x -= v.x; y -= v.y; + return *this; + } + + // = operator + Vector2& operator=(const Vector2& vector) { + if (&vector != this) { + x = vector.x; + y = vector.y; + } + return *this; + } + + // == operator + bool operator==(const Vector2 &v) const { + return x == v.x && y == v.y; + } + + // * operator + Vector2 operator*(float f) const { + return Vector2(f*x, f*y); + } + + // *= operator + Vector2 &operator*=(float f) { + x *= f; y *= f; + return *this; + } + + // / operator + Vector2 operator/(float f) const { + assert(f!=0); + float inv = 1.f / f; + return Vector2(x * inv, y * inv); + } + + // /= operator + Vector2 &operator/=(float f) { + assert(f!=0); + float inv = 1.f / f; + x *= inv; y *= inv; + return *this; + } + + // - operator + Vector2 operator-() const { + return Vector2(-x, -y); + } + + // [] operator + float &operator[](int i) { + assert(i >= 0 && i <= 1); + switch (i) { + case 0: return x; + case 1: return y; + } + return y; + } + + // Normalize the vector and return it + Vector2 normalize() { + float l = length(); + assert(l > 0); + x /= l; + y /= l; + return *this; + } + + // Clamp the vector values between 0 and 1 + Vector2 clamp01() { + if (x>1.f) x=1.f; + else if (x<0.f) x=0.f; + if (y>1.f) y=1.f; + else if (y<0.f) y=0.f; + return *this; + } + + // Return the squared length of the vector + float lengthSquared() const { return x*x + y*y; } + + // Return the length of the vector + float length() const { return sqrt(lengthSquared()); } +}; + +} + +#endif diff --git a/examples/common/opengl-framework/src/maths/Vector3.h b/examples/common/opengl-framework/src/maths/Vector3.h new file mode 100644 index 00000000..adeecb7c --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Vector3.h @@ -0,0 +1,203 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef OPENGLFRAMEWORK_VECTOR3_H +#define OPENGLFRAMEWORK_VECTOR3_H + +// Libraries +#include +#include +#include + +namespace openglframework { + +// Class Vector3 +// This class represents a 3D vector. +class Vector3 { + + public: + + // -------------------- Attributes -------------------- // + + // Components of the vector + float x, y, z; + + // -------------------- Methods -------------------- // + + // Constructor + Vector3(float x=0, float y=0, float z=0) : x(x), y(y), z(z) {} + + // Constructor + Vector3(const Vector3& vector) : x(vector.x), y(vector.y), z(vector.z) {} + + // Constructor + ~Vector3() {} + + // = operator + Vector3& operator=(const Vector3& vector) { + if (&vector != this) { + x = vector.x; + y = vector.y; + z = vector.z; + } + return *this; + } + + // + operator + Vector3 operator+(const Vector3 &v) const { + return Vector3(x + v.x, y + v.y, z + v.z); + } + + // += operator + Vector3& operator+=(const Vector3 &v) { + x += v.x; y += v.y; z += v.z; + return *this; + } + + // - operator + Vector3 operator-(const Vector3 &v) const { + return Vector3(x - v.x, y - v.y, z - v.z); + } + + // -= operator + Vector3& operator-=(const Vector3 &v) { + x -= v.x; y -= v.y; z -= v.z; + return *this; + } + + // == operator + bool operator==(const Vector3 &v) const { + return x == v.x && y == v.y && z == v.z; + } + + // != operator + bool operator!=(const Vector3 &v) const { + return !( *this == v ); + } + + // * operator + Vector3 operator*(float f) const { + return Vector3(f*x, f*y, f*z); + } + + // *= operator + Vector3 &operator*=(float f) { + x *= f; y *= f; z *= f; + return *this; + } + + // / operator + Vector3 operator/(float f) const { + assert(f > std::numeric_limits::epsilon() ); + float inv = 1.f / f; + return Vector3(x * inv, y * inv, z * inv); + } + + // /= operator + Vector3 &operator/=(float f) { + assert(f > std::numeric_limits::epsilon()); + float inv = 1.f / f; + x *= inv; y *= inv; z *= inv; + return *this; + } + + // - operator + Vector3 operator-() const { + return Vector3(-x, -y, -z); + } + + // [] operator + float &operator[](int i) { + assert(i >= 0 && i <= 2); + switch (i) { + case 0: return x; + case 1: return y; + case 2: return z; + } + return z; + } + + // [] operator + const float &operator[](int i) const { + assert(i >= 0 && i <= 2); + switch (i) { + case 0: return x; + case 1: return y; + case 2: return z; + } + return z; + } + + // Cross product operator + Vector3 cross(const Vector3 &v) const{ + return Vector3(y * v.z - z * v.y, z * v.x - x * v.z, x * v.y - y * v.x); + } + + // Dot product operator + float dot(const Vector3 &v) const{ + return x * v.x + y * v.y + z * v.z; + } + + // Normalize the vector and return it + Vector3 normalize() { + float l = length(); + if(l < std::numeric_limits::epsilon() ) { + assert(false); + } + x /= l; + y /= l; + z /= l; + return *this; + } + + bool isNull() const { + return( x == 0. && y == 0. && z == 0. ); + } + + // Clamp the values between 0 and 1 + Vector3 clamp01() { + if (x>1.f) x=1.f; + else if (x<0.f) x=0.f; + if (y>1.f) y=1.f; + else if (y<0.f) y=0.f; + if (z>1.f) z=1.f; + else if (z<0.f) z=0.f; + return *this; + } + + // Return the squared length of the vector + float lengthSquared() const { return x*x + y*y + z*z; } + + // Return the length of the vector + float length() const { return sqrt(lengthSquared()); } +}; + +inline Vector3 operator*(float f, const Vector3 & o) { + return o*f; +} + +} + +#endif diff --git a/examples/common/opengl-framework/src/maths/Vector4.h b/examples/common/opengl-framework/src/maths/Vector4.h new file mode 100644 index 00000000..3c4002d8 --- /dev/null +++ b/examples/common/opengl-framework/src/maths/Vector4.h @@ -0,0 +1,167 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef VECTOR4_H +#define VECTOR4_H + +// Libraries +#include +#include + +namespace openglframework { + +// Class Vector4 +// This class represents a 4D vector. +class Vector4 { + + public: + + // -------------------- Attributes -------------------- // + + // Components of the vector + float x, y, z, w; + + // -------------------- Methods -------------------- // + + // Constructor + Vector4(float x=0, float y=0, float z=0, float w=0) : x(x), y(y), z(z), w(w) {} + + // Constructor + Vector4(const Vector4& vector) : x(vector.x), y(vector.y), z(vector.z), w(vector.w) {} + + // + operator + Vector4 operator+(const Vector4 &v) const { + return Vector4(x + v.x, y + v.y, z + v.z, w + v.w); + } + + // += operator + Vector4& operator+=(const Vector4 &v) { + x += v.x; y += v.y; z += v.z; w += v.w; + return *this; + } + + // - operator + Vector4 operator-(const Vector4 &v) const { + return Vector4(x - v.x, y - v.y, z - v.z, w - v.w); + } + + // -= operator + Vector4& operator-=(const Vector4 &v) { + x -= v.x; y -= v.y; z -= v.z, w -=v.w; + return *this; + } + + // = operator + Vector4& operator=(const Vector4& vector) { + if (&vector != this) { + x = vector.x; + y = vector.y; + z = vector.z; + w = vector.w; + } + return *this; + } + + // == operator + bool operator==(const Vector4 &v) const { + return x == v.x && y == v.y && z == v.z && w == v.w; + } + + // * operator + Vector4 operator*(float f) const { + return Vector4(f*x, f*y, f*z, f*w); + } + + // *= operator + Vector4 &operator*=(float f) { + x *= f; y *= f; z *= f; w *= f; + return *this; + } + + // / operator + Vector4 operator/(float f) const { + assert(f!=0); + float inv = 1.f / f; + return Vector4(x * inv, y * inv, z * inv, w * inv); + } + + // /= operator + Vector4 &operator/=(float f) { + assert(f!=0); + float inv = 1.f / f; + x *= inv; y *= inv; z *= inv; w *= inv; + return *this; + } + + // - operator + Vector4 operator-() const { + return Vector4(-x, -y, -z, -w); + } + + // [] operator + float &operator[](int i) { + assert(i >= 0 && i <= 3); + switch (i) { + case 0: return x; + case 1: return y; + case 2: return z; + case 3: return w; + } + return w; + } + + // Dot product operator + float dot(const Vector4 &v) const { + return x * v.x + y * v.y + z * v.z + w * v.w; + } + + // Multiply two vectors by their components + Vector4 componentMul(const Vector4 &v) const { + return Vector4(x * v.x, y * v.y, z * v.z, w * v.w); + } + + // Clamp the values between 0 and 1 + Vector4 clamp01() { + if (x>1.f) x=1.f; + else if (x<0.f) x=0.f; + if (y>1.f) y=1.f; + else if (y<0.f) y=0.f; + if (z>1.f) z=1.f; + else if (z<0.f) z=0.f; + if (w>1.f) w=1.f; + else if (w<0.f) w=0.f; + return *this; + } + + // Return the squared length of the vector + float lengthSquared() const { return x * x + y * y + z * z + w * w; } + + // Return the length of the vector + float length() const { return sqrt(lengthSquared()); } +}; + +} + +#endif //_VECTOR4_H diff --git a/examples/common/opengl-framework/src/openglframework.h b/examples/common/opengl-framework/src/openglframework.h new file mode 100644 index 00000000..b8a0a41a --- /dev/null +++ b/examples/common/opengl-framework/src/openglframework.h @@ -0,0 +1,49 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef OPENGL_FRAMEWORK_H +#define OPENGL_FRAMEWORK_H + +// Libraries +#include "MeshReaderWriter.h" +#include "TextureReaderWriter.h" +#include "GlutViewer.h" +#include "Camera.h" +#include "Light.h" +#include "Mesh.h" +#include "Shader.h" +#include "Texture2D.h" +#include "FrameBufferObject.h" +#include "VertexBufferObject.h" +#include "Shader.h" +#include "maths/Color.h" +#include "maths/Vector2.h" +#include "maths/Vector3.h" +#include "maths/Vector4.h" +#include "maths/Matrix4.h" +#include "maths/Matrix3.h" +#include "definitions.h" + +#endif diff --git a/examples/common/opengl-framework/src/shaders/depth.frag b/examples/common/opengl-framework/src/shaders/depth.frag new file mode 100644 index 00000000..4ef97b32 --- /dev/null +++ b/examples/common/opengl-framework/src/shaders/depth.frag @@ -0,0 +1,32 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +void main(void) { + + // Compute the depth of the pixel + float depth = + + gl_FragColor = vec4(depth, depth, depth, 1); +} diff --git a/examples/common/opengl-framework/src/shaders/depth.vert b/examples/common/opengl-framework/src/shaders/depth.vert new file mode 100644 index 00000000..f320cc72 --- /dev/null +++ b/examples/common/opengl-framework/src/shaders/depth.vert @@ -0,0 +1,36 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Uniform variables +uniform mat4 modelToWorldMatrix; // Model too world coordinates matrix +uniform mat4 worldToCameraMatrix; // World to camera coordinates matrix +uniform mat4 projectionMatrix; // Projection matrix + +void main(void) { + + // Compute the clip-space vertex coordinates + gl_Position = projectionMatrix * worldToCameraMatrix * + modelToWorldMatrix * gl_Vertex; +} diff --git a/examples/common/opengl-framework/src/shaders/phong.frag b/examples/common/opengl-framework/src/shaders/phong.frag new file mode 100644 index 00000000..f09777da --- /dev/null +++ b/examples/common/opengl-framework/src/shaders/phong.frag @@ -0,0 +1,67 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Uniform variables +uniform vec3 lightAmbientColor; // Lights ambient color +uniform vec3 light0PosCameraSpace; // Camera-space position of the light +uniform vec3 light0DiffuseColor; // Light 0 diffuse color +uniform vec3 light0SpecularColor; // Light 0 specular color +uniform float shininess; // Shininess +uniform sampler2D texture; // Texture +uniform bool isTexture; // True if we need to use the texture +uniform vec4 vertexColor; // Vertex color + +// Varying variables +varying vec3 vertexPosCameraSpace; // Camera-space position of the vertex +varying vec3 vertexNormalCameraSpace; // Vertex normal in camera-space +varying vec2 texCoords; // Texture coordinates + +void main() { + + // Compute the ambient term + vec3 ambient = lightAmbientColor; + + // Get the texture color + vec3 textureColor = vertexColor.rgb; + if (isTexture) textureColor = texture2D(texture, texCoords).rgb; + + // Compute the surface normal vector + vec3 N = normalize(vertexNormalCameraSpace); + + // Compute the diffuse term of light 0 + vec3 L0 = normalize(light0PosCameraSpace - vertexPosCameraSpace); + float diffuseFactor = max(dot(N, L0), 0.0); + vec3 diffuse = light0DiffuseColor * diffuseFactor * textureColor; + + // Compute the specular term of light 0 + vec3 V = normalize(-vertexPosCameraSpace); + vec3 H0 = normalize(V + L0); + float specularFactor = pow(max(dot(N, H0), 0.0), shininess); + if (diffuseFactor < 0.0) specularFactor = 0.0; + vec3 specular = light0SpecularColor * specularFactor; + + // Compute the final color + gl_FragColor = vec4(ambient + diffuse + specular, 1.0); +} diff --git a/examples/common/opengl-framework/src/shaders/phong.vert b/examples/common/opengl-framework/src/shaders/phong.vert new file mode 100644 index 00000000..620344a9 --- /dev/null +++ b/examples/common/opengl-framework/src/shaders/phong.vert @@ -0,0 +1,50 @@ +/******************************************************************************** +* OpenGL-Framework * +* Copyright (c) 2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Uniform variables +uniform mat4 localToCameraMatrix; // Local-space to camera-space matrix +uniform mat4 projectionMatrix; // Projection matrix +uniform mat3 normalMatrix; // Normal matrix + +// Varying variables +varying vec3 vertexPosCameraSpace; // Camera-space position of the vertex +varying vec3 vertexNormalCameraSpace; // Vertex normal in camera-space +varying vec2 texCoords; // Texture coordinates + +void main() { + + // Compute the vertex position + vec4 positionCameraSpace = localToCameraMatrix * gl_Vertex; + vertexPosCameraSpace = positionCameraSpace.xyz; + + // Compute the world surface normal + vertexNormalCameraSpace = normalMatrix * gl_Normal; + + // Get the texture coordinates + texCoords = gl_MultiTexCoord0.xy; + + // Compute the clip-space vertex coordinates + gl_Position = projectionMatrix * positionCameraSpace; +} diff --git a/examples/cubes/CMakeLists.txt b/examples/cubes/CMakeLists.txt new file mode 100644 index 00000000..efdcf263 --- /dev/null +++ b/examples/cubes/CMakeLists.txt @@ -0,0 +1,35 @@ +# Minimum cmake version required +cmake_minimum_required(VERSION 2.6) + +# Project configuration +PROJECT(Cubes) + +# Where to build the executables +SET(EXECUTABLE_OUTPUT_PATH "${OUR_EXECUTABLE_OUTPUT_PATH}/cubes") +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_RELEASE ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_DEBUG ${EXECUTABLE_OUTPUT_PATH}) + +# Copy the shaders used for the demo into the build directory +FILE(COPY "${OPENGLFRAMEWORK_DIR}/src/shaders/" DESTINATION "${EXECUTABLE_OUTPUT_PATH}/shaders/") + +# Headers +INCLUDE_DIRECTORIES("${OPENGLFRAMEWORK_DIR}/src/" "../common/") + +# Source files +SET(CUBES_SOURCES + Cubes.cpp + Scene.cpp + Scene.cpp + Scene.h + "../common/Box.cpp" + "../common/Box.h" + "../common/Viewer.cpp" + "../common/Viewer.h" +) + +# Create the executable +ADD_EXECUTABLE(cubes ${CUBES_SOURCES}) + +# Link with libraries +TARGET_LINK_LIBRARIES(cubes reactphysics3d openglframework) diff --git a/examples/cubes/Cubes.cpp b/examples/cubes/Cubes.cpp new file mode 100644 index 00000000..bd148434 --- /dev/null +++ b/examples/cubes/Cubes.cpp @@ -0,0 +1,158 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" +#include "Viewer.h" + +// Declarations +void simulate(); +void display(); +void finish(); +void reshape(int width, int height); +void mouseButton(int button, int state, int x, int y); +void mouseMotion(int x, int y); +void keyboard(unsigned char key, int x, int y); +void init(); + +// Namespaces +using namespace openglframework; + +// Global variables +Viewer* viewer; +Scene* scene; + +// Main function +int main(int argc, char** argv) { + + // Create and initialize the Viewer + viewer = new Viewer(); + Vector2 windowsSize = Vector2(800, 600); + Vector2 windowsPosition = Vector2(100, 100); + bool initOK = viewer->init(argc, argv, "ReactPhysics3D Examples - Cubes", windowsSize, windowsPosition); + if (!initOK) return 1; + + // Create the scene + scene = new Scene(viewer); + + init(); + + // Glut Idle function that is continuously called + glutIdleFunc(simulate); + glutDisplayFunc(display); + glutReshapeFunc(reshape); + glutMouseFunc(mouseButton); + glutMotionFunc(mouseMotion); + glutKeyboardFunc(keyboard); + +#ifdef USE_FREEGLUT + glutCloseFunc(finish); +#else + atexit(finish); +#endif + + // Glut main looop + glutMainLoop(); + + return 0; +} + +// Simulate function +void simulate() { + + // Physics simulation + scene->simulate(); + + viewer->computeFPS(); + + // Ask GLUT to render the scene + glutPostRedisplay (); +} + +// Initialization +void init() { + + // Define the background color (black) + glClearColor(0.0, 0.0, 0.0, 1.0); +} + +// Reshape function +void reshape(int newWidth, int newHeight) { + viewer->reshape(newWidth, newHeight); +} + +// Called when a mouse button event occurs +void mouseButton(int button, int state, int x, int y) { + viewer->mouseButtonEvent(button, state, x, y); +} + +// Called when a mouse motion event occurs +void mouseMotion(int x, int y) { + viewer->mouseMotionEvent(x, y); +} + +// Called when the user hits a special key on the keyboard +void keyboard(unsigned char key, int x, int y) { + switch(key) { + + // Escape key + case 27: + #ifdef USE_FREEGLUT + glutLeaveMainLoop(); + #endif + break; + + // Space bar + case 32: + scene->pauseContinueSimulation(); + break; + } +} + +// End of the application +void finish() { + + // Destroy the viewer and the scene + delete viewer; + delete scene; +} + +// Display the scene +void display() { + + // Render the scene + scene->render(); + + // Display the FPS + viewer->displayGUI(); + + // Swap the buffers + glutSwapBuffers(); + + // Check the OpenGL errors + GlutViewer::checkOpenGLErrors(); +} + + diff --git a/examples/cubes/Scene.cpp b/examples/cubes/Scene.cpp new file mode 100644 index 00000000..aa417739 --- /dev/null +++ b/examples/cubes/Scene.cpp @@ -0,0 +1,191 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" + +// Namespaces +using namespace openglframework; + +// Constructor +Scene::Scene(GlutViewer* viewer) : mViewer(viewer), mLight0(0), + mPhongShader("shaders/phong.vert", + "shaders/phong.frag"), mIsRunning(false) { + + // Move the light 0 + mLight0.translateWorld(Vector3(7, 15, 15)); + + // Compute the radius and the center of the scene + float radiusScene = 10.0f; + openglframework::Vector3 center(0, 5, 0); + + // Set the center of the scene + mViewer->setScenePosition(center, radiusScene); + + // Gravity vector in the dynamics world + rp3d::Vector3 gravity(0, rp3d::decimal(-9.81), 0); + + // Time step for the physics simulation + rp3d::decimal timeStep = 1.0f / 60.0f; + + // Create the dynamics world for the physics simulation + mDynamicsWorld = new rp3d::DynamicsWorld(gravity, timeStep); + + // Set the number of iterations of the constraint solver + mDynamicsWorld->setNbIterationsVelocitySolver(15); + + float radius = 2.0f; + + // Create all the cubes of the scene + for (int i=0; igetRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = cube->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.4)); + + // Add the box the list of box in the scene + mBoxes.push_back(cube); + } + + // Create the floor + openglframework::Vector3 floorPosition(0, 0, 0); + mFloor = new Box(FLOOR_SIZE, floorPosition, FLOOR_MASS, mDynamicsWorld); + + // The floor must be a non-moving rigid body + mFloor->getRigidBody()->enableMotion(false); + + // Change the material properties of the floor rigid body + rp3d::Material& material = mFloor->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.3)); + + // Start the simulation + startSimulation(); +} + +// Destructor +Scene::~Scene() { + + // Stop the physics simulation + stopSimulation(); + + // Destroy the shader + mPhongShader.destroy(); + + // Destroy all the cubes of the scene + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + + // Destroy the corresponding rigid body from the dynamics world + mDynamicsWorld->destroyRigidBody((*it)->getRigidBody()); + + // Destroy the cube + delete (*it); + } + + // Destroy the rigid body of the floor + mDynamicsWorld->destroyRigidBody(mFloor->getRigidBody()); + + // Destroy the floor + delete mFloor; + + // Destroy the dynamics world + delete mDynamicsWorld; +} + +// Take a step for the simulation +void Scene::simulate() { + + // If the physics simulation is running + if (mIsRunning) { + + // Take a simulation step + mDynamicsWorld->update(); + + // Update the position and orientation of the boxes + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + + // Update the transform used for the rendering + (*it)->updateTransform(); + } + + mFloor->updateTransform(); + + // Set the color of the awake/sleeping bodies + for (uint i=0; igetRigidBody()->isSleeping()) { + mBoxes[i]->setColor(Color(1, 0, 0, 1)); + } + else { + mBoxes[i]->setColor(Color(0, 1, 0, 1)); + } + } + } +} + +// Render the scene +void Scene::render() { + + glEnable(GL_DEPTH_TEST); + glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); + glEnable(GL_CULL_FACE); + + // Get the world-space to camera-space matrix + const Camera& camera = mViewer->getCamera(); + const openglframework::Matrix4 worldToCameraMatrix = camera.getTransformMatrix().getInverse(); + + // Bind the shader + mPhongShader.bind(); + + // Set the variables of the shader + mPhongShader.setMatrix4x4Uniform("projectionMatrix", camera.getProjectionMatrix()); + mPhongShader.setVector3Uniform("light0PosCameraSpace",worldToCameraMatrix * mLight0.getOrigin()); + mPhongShader.setVector3Uniform("lightAmbientColor", Vector3(0.3f, 0.3f, 0.3f)); + const Color& diffCol = mLight0.getDiffuseColor(); + const Color& specCol = mLight0.getSpecularColor(); + mPhongShader.setVector3Uniform("light0DiffuseColor", Vector3(diffCol.r, diffCol.g, diffCol.b)); + mPhongShader.setVector3Uniform("light0SpecularColor", Vector3(specCol.r, specCol.g, specCol.b)); + mPhongShader.setFloatUniform("shininess", 60.0f); + + // Render all the cubes of the scene + for (std::vector::iterator it = mBoxes.begin(); it != mBoxes.end(); ++it) { + (*it)->render(mPhongShader, worldToCameraMatrix); + } + + // Render the floor + mFloor->render(mPhongShader, worldToCameraMatrix); + + // Unbind the shader + mPhongShader.unbind(); +} diff --git a/examples/cubes/Scene.h b/examples/cubes/Scene.h new file mode 100644 index 00000000..a2802043 --- /dev/null +++ b/examples/cubes/Scene.h @@ -0,0 +1,117 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef SCENE_H +#define SCENE_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" +#include "Box.h" + +// Constants +const int NB_SPHERES = 20; // Number of boxes in the scene +const openglframework::Vector3 BOX_SIZE(2, 2, 2); // Box dimensions in meters +const openglframework::Vector3 FLOOR_SIZE(50, 0.5f, 50); // Floor dimensions in meters +const float BOX_MASS = 1.0f; // Box mass in kilograms +const float FLOOR_MASS = 100.0f; // Floor mass in kilograms + +// Class Scene +class Scene { + + private : + + // -------------------- Attributes -------------------- // + + /// Pointer to the viewer + openglframework::GlutViewer* mViewer; + + /// Light 0 + openglframework::Light mLight0; + + /// Phong shader + openglframework::Shader mPhongShader; + + /// All the boxes of the scene + std::vector mBoxes; + + /// Box for the floor + Box* mFloor; + + /// Dynamics world used for the physics simulation + rp3d::DynamicsWorld* mDynamicsWorld; + + /// True if the physics simulation is running + bool mIsRunning; + + public: + + // -------------------- Methods -------------------- // + + /// Constructor + Scene(openglframework::GlutViewer* viewer); + + /// Destructor + ~Scene(); + + /// Take a step for the simulation + void simulate(); + + /// Stop the simulation + void stopSimulation(); + + /// Start the simulation + void startSimulation(); + + /// Pause or continue simulation + void pauseContinueSimulation(); + + /// Render the scene + void render(); +}; + +// Stop the simulation +inline void Scene::stopSimulation() { + mDynamicsWorld->stop(); + mIsRunning = false; +} + +// Start the simulation +inline void Scene::startSimulation() { + mDynamicsWorld->start(); + mIsRunning = true; +} + +// Pause or continue simulation +inline void Scene::pauseContinueSimulation() { + if (mIsRunning) { + stopSimulation(); + } + else { + startSimulation(); + } +} + +#endif diff --git a/examples/fallingcubes/CMakeLists.txt b/examples/fallingcubes/CMakeLists.txt deleted file mode 100755 index e716a9d7..00000000 --- a/examples/fallingcubes/CMakeLists.txt +++ /dev/null @@ -1,56 +0,0 @@ -# Minimum cmake version required -cmake_minimum_required(VERSION 2.6) - -# Project configuration -PROJECT(FallingCubes) - -# Find Glut or Freeglut -FIND_PACKAGE(GLUT) -if (NOT GLUT_FOUND) - # Find the Freeglut library - FIND_PATH(FREEGLUT_INCLUDE_DIR NAMES GL/freeglut.h - /usr/include/GL - ) - FIND_LIBRARY(FREEGLUT_LIBRARY NAMES freeglut glut) - INCLUDE(FindPackageHandleStandardArgs) - FIND_PACKAGE_HANDLE_STANDARD_ARGS(FREEGLUT DEFAULT_MSG FREEGLUT_LIBRARY FREEGLUT_INCLUDE_DIR) - IF(FREEGLUT_FOUND) - MESSAGE("Freeglut found") - SET(FREEGLUT_LIBRARIES ${FREEGLUT_LIBRARY}) - SET(FREEGLUT_INCLUDE_DIRS ${FREEGLUT_INCLUDE_DIR}) - else() - MESSAGE("Freeglut not found (required to build the examples)") - SET(FREEGLUT_LIBRARIES) - SET(FREEGLUT_INCLUDE_DIRS) - endif() -endif() - -# Find OpenGL -FIND_PACKAGE(OpenGL) -if(OPENGL_FOUND) - MESSAGE("OpenGL found") -else() - MESSAGE("OpenGL not found") -endif() - -# Headers -if(GLUT_FOUND) - INCLUDE_DIRECTORIES(${REACTPHYSICS3D_SOURCE_DIR}/src ${GLUT_INCLUDE_DIR}) -elseif(FREEGLUT_FOUND) - INCLUDE_DIRECTORIES(${REACTPHYSICS3D_SOURCE_DIR}/src ${FREEGLUT_INCLUDE_DIRS}) -endif() - -# Definitions -if (FREEGLUT_FOUND) - ADD_DEFINITIONS(-DUSE_FREEGLUT) -endif() - -# Create the example executable using the -# compiled reactphysics3d static library -ADD_EXECUTABLE(fallingcubes main.cpp Box.cpp Box.h) - -if(GLUT_FOUND) - TARGET_LINK_LIBRARIES(fallingcubes reactphysics3d ${GLUT_LIBRARY} ${OPENGL_LIBRARY}) -elseif(FREEGLUT_FOUND) - TARGET_LINK_LIBRARIES(fallingcubes reactphysics3d ${FREEGLUT_LIBRARY} ${OPENGL_LIBRARY}) -endif() diff --git a/examples/fallingcubes/main.cpp b/examples/fallingcubes/main.cpp deleted file mode 100644 index c3f05100..00000000 --- a/examples/fallingcubes/main.cpp +++ /dev/null @@ -1,248 +0,0 @@ -/******************************************************************************** -* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * -* Copyright (c) 2010-2013 Daniel Chappuis * -********************************************************************************* -* * -* This software is provided 'as-is', without any express or implied warranty. * -* In no event will the authors be held liable for any damages arising from the * -* use of this software. * -* * -* Permission is granted to anyone to use this software for any purpose, * -* including commercial applications, and to alter it and redistribute it * -* freely, subject to the following restrictions: * -* * -* 1. The origin of this software must not be misrepresented; you must not claim * -* that you wrote the original software. If you use this software in a * -* product, an acknowledgment in the product documentation would be * -* appreciated but is not required. * -* * -* 2. Altered source versions must be plainly marked as such, and must not be * -* misrepresented as being the original software. * -* * -* 3. This notice may not be removed or altered from any source distribution. * -* * -********************************************************************************/ - -// Libraries -#include -#include -#include "Box.h" - -// Prototypes -void init(); -void display(); -void simulate(); -void clean(); -void reshape(int w, int h); - -// Use the ReactPhysics3D namespace -using namespace reactphysics3d; - -// Constants -const double FLOOR_SIZE = 20; -const double FLOOR_THICKNESS = 0.02; - -// Global variables -DynamicsWorld* dynamicsWorld; // Dynamics world -Box* boxes[2]; // Falling boxes -BoxShape* collisionShapeBox1; // Collision shape of the first box -BoxShape* collisionShapeBox2; // Collision shape of the second box -BoxShape* collisionShapeFloor; // Collision shape of the floor -RigidBody* floorRigidBody; // Rigid body corresponding the floor - - -// Simulation function -void simulate() { - - // Update the physics simulation - dynamicsWorld->update(); - - // Display the scene - display(); -} - -// Main function -int main(int argc, char** argv) { - - // Initialize GLUT - glutInit(&argc, argv); - glutInitDisplayMode(GLUT_DOUBLE | GLUT_RGBA | GLUT_DEPTH); - glutInitWindowSize(800, 600); - glutInitWindowPosition(100, 100); - glutCreateWindow("ReactPhysics3D Example - Falling Cubes"); - - init(); - - glutIdleFunc(simulate); - glutDisplayFunc(display); - glutReshapeFunc(reshape); - glutMainLoop(); - - // Stop the physics simulation - dynamicsWorld->stop(); - - clean(); - - return 0; -} - -// Initialization function -void init() { - - glClearColor(0.0, 0.0, 0.0, 0.0); - - // Light - glShadeModel(GL_SMOOTH); - GLfloat light_position[] = {5.0f, 5.0f, 5.0f, 1.0f}; - glLightfv(GL_LIGHT0, GL_POSITION, light_position); - - glEnable(GL_LIGHTING); - glEnable(GL_LIGHT0); - glEnable(GL_DEPTH_TEST); - - // Gravity vector of the physics world - Vector3 gravity(0.0, -9.81, 0.0); - - // Timestep of the simulation - decimal timeStep = 1.0/60.0; - - // Create the dynamics world - dynamicsWorld = new DynamicsWorld(gravity, timeStep); - - // --- Create a falling box with a size of 1m and weight of 3kg --- // - - float size = 1.0f; - - // Initial position and orientation of the box - Vector3 positionBox1(-2.0f, 7.0f, 0.0f); - Quaternion orientationBox1(0.3, 1.0, 0.8, 0.0); - Transform initTransform(positionBox1, orientationBox1); - - // Create a box collision shape for the box (used for collision detection) - collisionShapeBox1 = new BoxShape(Vector3(size/2.0f, size/2.0f, size/2.0f)); - - // Compute the inertia tensor of the box using the collision shape - Matrix3x3 inertiaTensorBox1; - float massBox1 = 3.0f; - collisionShapeBox1->computeLocalInertiaTensor(inertiaTensorBox1, massBox1); - - // Create the rigid body associated with the box in the dynamics world - RigidBody* rigidBody = dynamicsWorld->createRigidBody(initTransform, massBox1, - inertiaTensorBox1, collisionShapeBox1); - - // Set the contact velocity restitution factor of the rigid body - rigidBody->setRestitution(0.5f); - - // Create the box object (used for display) - boxes[0] = new Box(size, rigidBody); - - // --- Create a second falling box with a size of 1.5m and weight of 4.5kg --- // - - size = 1.5; - - // Initial position and orientation of the box - Vector3 positionBox2(2.0, 4.0, 0.0); - Quaternion orientationBox2(1.0, 1.0, 0.5, 0.0); - Transform initTransform2(positionBox2, orientationBox2); - - // Create a box collision shape for the box (used for collision detection) - collisionShapeBox2 = new BoxShape(Vector3(size/2.0f, size/2.0f, size/2.0f)); - - // Compute the inertia tensor using the collision shape - Matrix3x3 inertiaTensorBox2; - float massBox2 = 4.5f; - collisionShapeBox2->computeLocalInertiaTensor(inertiaTensorBox2, massBox2); - - // Create the rigid body associated with the box in the dynamcis world - RigidBody* rigidBody2 = dynamicsWorld->createRigidBody(initTransform2, massBox2, - inertiaTensorBox2, collisionShapeBox2); - - // Set the contact velocity restitution factor of the rigid body - rigidBody2->setRestitution(0.5); - - // Create the box object (used for display) - boxes[1] = new Box(size, rigidBody2); - - // --- Create the rigid body corresponding to the floor --- // - - // Initial position and orientation of the floor - Vector3 positionFloor(0.0, 0.0, 0.0); - Quaternion orientationFloor(0.0, 1.0, 0.0, 0.0); - Transform initTransformFloor(positionFloor, orientationFloor); - - // Create a box collision shape for the floor (used for collision detection) - collisionShapeFloor = new BoxShape(Vector3(FLOOR_SIZE, FLOOR_THICKNESS, FLOOR_SIZE)); - - // Compute the inertia tensor of the floor using the collision shape - float massFloor = 100.0f; - rp3d::Matrix3x3 inertiaTensorFloor; - collisionShapeFloor->computeLocalInertiaTensor(inertiaTensorFloor, massFloor); - - // Create the rigid body associated with the floor in the dynamcis world - floorRigidBody = dynamicsWorld->createRigidBody(initTransformFloor, massFloor, - inertiaTensorFloor, collisionShapeFloor); - - // The floor is a rigid body that cannot move - floorRigidBody->setIsMotionEnabled(false); - - // Set the contact velocity restitution factor of the floor - floorRigidBody->setRestitution(0.5); - - // Start the dynamics simulation - dynamicsWorld->start(); -} - -// Display function -void display() { - - glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); - - // Display each falling box of the scene - for (int i=0; i<2; i++) { - boxes[i]->draw(); - } - - // Display the plane for the floor - glBegin(GL_POLYGON); - glNormal3f(0.0, 1.0, 0.0); - glVertex3f(-FLOOR_SIZE/2, 0.0, -FLOOR_SIZE/2); - glVertex3f(-FLOOR_SIZE/2, 0.0, FLOOR_SIZE/2); - glVertex3f(FLOOR_SIZE/2, 0.0, FLOOR_SIZE/2); - glVertex3f(FLOOR_SIZE/2, 0.0, -FLOOR_SIZE/2); - glEnd(); - - glutSwapBuffers(); -} - -// Reshape function -void reshape(int w, int h) { - float ratio = ((float)w / h); - glMatrixMode(GL_PROJECTION); - glLoadIdentity(); - glViewport(0, 0, w, h); - gluPerspective(45, ratio,1,1000); - glMatrixMode(GL_MODELVIEW); - glLoadIdentity(); - gluLookAt(20.0, 4.0, 20.0, 0.0, 0.0, 0.0, 0.0, 1.0, 0.0); -} - -// Clean the memory allocation -void clean() { - - // Destroy the rigid bodies from the dynamics world - dynamicsWorld->destroyRigidBody(boxes[0]->getRigidBodyPointer()); - dynamicsWorld->destroyRigidBody(boxes[1]->getRigidBodyPointer()); - dynamicsWorld->destroyRigidBody(floorRigidBody); - - // Destroy the dynamics world - delete dynamicsWorld; - - // Destroy the boxes - delete boxes[0]; - delete boxes[1]; - - // Destroy the collision shapes - delete collisionShapeBox1; - delete collisionShapeBox2; - delete collisionShapeFloor; -} diff --git a/examples/joints/CMakeLists.txt b/examples/joints/CMakeLists.txt new file mode 100644 index 00000000..343f5c7d --- /dev/null +++ b/examples/joints/CMakeLists.txt @@ -0,0 +1,34 @@ +# Minimum cmake version required +cmake_minimum_required(VERSION 2.6) + +# Project configuration +PROJECT(Joints) + +# Where to build the executables +SET(EXECUTABLE_OUTPUT_PATH "${OUR_EXECUTABLE_OUTPUT_PATH}/joints") +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_RELEASE ${EXECUTABLE_OUTPUT_PATH}) +SET(CMAKE_RUNTIME_OUTPUT_DIRECTORY_DEBUG ${EXECUTABLE_OUTPUT_PATH}) + +# Copy the shaders used for the demo into the build directory +FILE(COPY "${OPENGLFRAMEWORK_DIR}/src/shaders/" DESTINATION "${EXECUTABLE_OUTPUT_PATH}/shaders/") + +# Headers +INCLUDE_DIRECTORIES("${OPENGLFRAMEWORK_DIR}/src/" "../common/") + +# Source files +SET(JOINTS_SOURCES + Joints.cpp + Scene.cpp + Scene.h + "../common/Box.cpp" + "../common/Box.h" + "../common/Viewer.cpp" + "../common/Viewer.h" +) + +# Create the executable +ADD_EXECUTABLE(joints ${JOINTS_SOURCES}) + +# Link with libraries +TARGET_LINK_LIBRARIES(joints reactphysics3d openglframework) diff --git a/examples/joints/Joints.cpp b/examples/joints/Joints.cpp new file mode 100644 index 00000000..abb58d8a --- /dev/null +++ b/examples/joints/Joints.cpp @@ -0,0 +1,157 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" +#include "Viewer.h" + +// Declarations +void simulate(); +void display(); +void finish(); +void reshape(int width, int height); +void mouseButton(int button, int state, int x, int y); +void mouseMotion(int x, int y); +void keyboard(unsigned char key, int x, int y); +void init(); + +// Namespaces +using namespace openglframework; + +// Global variables +Viewer* viewer; +Scene* scene; + +// Main function +int main(int argc, char** argv) { + + // Create and initialize the Viewer + viewer = new Viewer(); + Vector2 windowsSize = Vector2(800, 600); + Vector2 windowsPosition = Vector2(100, 100); + bool initOK = viewer->init(argc, argv, "ReactPhysics3D Examples - Joints", windowsSize, windowsPosition); + if (!initOK) return 1; + + // Create the scene + scene = new Scene(viewer); + + init(); + + // Glut Idle function that is continuously called + glutIdleFunc(simulate); + glutDisplayFunc(display); + glutReshapeFunc(reshape); + glutMouseFunc(mouseButton); + glutMotionFunc(mouseMotion); + glutKeyboardFunc(keyboard); +#ifdef USE_FREEGLUT + glutCloseFunc(finish); +#else + atexit(finish); +#endif + + // Glut main looop + glutMainLoop(); + + return 0; +} + +// Simulate function +void simulate() { + + // Physics simulation + scene->simulate(); + + viewer->computeFPS(); + + // Ask GLUT to render the scene + glutPostRedisplay (); +} + +// Initialization +void init() { + + // Define the background color (black) + glClearColor(0.0, 0.0, 0.0, 1.0); +} + +// Reshape function +void reshape(int newWidth, int newHeight) { + viewer->reshape(newWidth, newHeight); +} + +// Called when a mouse button event occurs +void mouseButton(int button, int state, int x, int y) { + viewer->mouseButtonEvent(button, state, x, y); +} + +// Called when a mouse motion event occurs +void mouseMotion(int x, int y) { + viewer->mouseMotionEvent(x, y); +} + +// Called when the user hits a special key on the keyboard +void keyboard(unsigned char key, int x, int y) { + switch(key) { + + // Escape key + case 27: + #ifdef USE_FREEGLUT + glutLeaveMainLoop(); + #endif + break; + + // Space bar + case 32: + scene->pauseContinueSimulation(); + break; + } +} + +// End of the application +void finish() { + + // Destroy the viewer and the scene + delete viewer; + delete scene; +} + +// Display the scene +void display() { + + // Render the scene + scene->render(); + + // Display the FPS + viewer->displayGUI(); + + // Swap the buffers + glutSwapBuffers(); + + // Check the OpenGL errors + GlutViewer::checkOpenGLErrors(); +} + + diff --git a/examples/joints/Scene.cpp b/examples/joints/Scene.cpp new file mode 100644 index 00000000..c5c9312e --- /dev/null +++ b/examples/joints/Scene.cpp @@ -0,0 +1,404 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Scene.h" +#include + +// Namespaces +using namespace openglframework; + +// Constructor +Scene::Scene(GlutViewer* viewer) : mViewer(viewer), mLight0(0), + mPhongShader("shaders/phong.vert", + "shaders/phong.frag"), mIsRunning(false) { + // Move the light 0 + mLight0.translateWorld(Vector3(7, 15, 15)); + + // Compute the radius and the center of the scene + float radiusScene = 10.0f; + openglframework::Vector3 center(0, 5, 0); + + // Set the center of the scene + mViewer->setScenePosition(center, radiusScene); + + // Gravity vector in the dynamics world + rp3d::Vector3 gravity(0, rp3d::decimal(-9.81), 0); + + // Time step for the physics simulation + rp3d::decimal timeStep = 1.0f / 60.0f; + + // Create the dynamics world for the physics simulation + mDynamicsWorld = new rp3d::DynamicsWorld(gravity, timeStep); + + // Set the number of iterations of the constraint solver + mDynamicsWorld->setNbIterationsVelocitySolver(15); + + // Create the Ball-and-Socket joint + createBallAndSocketJoints(); + + // Create the Slider joint + createSliderJoint(); + + // Create the Hinge joint + createPropellerHingeJoint(); + + // Create the Fixed joint + createFixedJoints(); + + // Create the floor + createFloor(); + + // Start the simulation + startSimulation(); +} + +// Destructor +Scene::~Scene() { + + // Stop the physics simulation + stopSimulation(); + + // Destroy the shader + mPhongShader.destroy(); + + // Destroy the joints + mDynamicsWorld->destroyJoint(mSliderJoint); + mDynamicsWorld->destroyJoint(mPropellerHingeJoint); + mDynamicsWorld->destroyJoint(mFixedJoint1); + mDynamicsWorld->destroyJoint(mFixedJoint2); + for (int i=0; idestroyJoint(mBallAndSocketJoints[i]); + } + + // Destroy all the rigid bodies of the scene + mDynamicsWorld->destroyRigidBody(mSliderJointBottomBox->getRigidBody()); + mDynamicsWorld->destroyRigidBody(mSliderJointTopBox->getRigidBody()); + mDynamicsWorld->destroyRigidBody(mPropellerBox->getRigidBody()); + mDynamicsWorld->destroyRigidBody(mFixedJointBox1->getRigidBody()); + mDynamicsWorld->destroyRigidBody(mFixedJointBox2->getRigidBody()); + for (int i=0; idestroyRigidBody(mBallAndSocketJointChainBoxes[i]->getRigidBody()); + } + + delete mSliderJointBottomBox; + delete mSliderJointTopBox; + delete mPropellerBox; + delete mFixedJointBox1; + delete mFixedJointBox2; + for (int i=0; idestroyRigidBody(mFloor->getRigidBody()); + delete mFloor; + + // Destroy the dynamics world + delete mDynamicsWorld; +} + +// Take a step for the simulation +void Scene::simulate() { + + // If the physics simulation is running + if (mIsRunning) { + + // Update the motor speed of the Slider Joint (to move up and down) + long double motorSpeed = 2 * cos(mDynamicsWorld->getPhysicsTime() * 1.5); + mSliderJoint->setMotorSpeed(rp3d::decimal(motorSpeed)); + + // Take a simulation step + mDynamicsWorld->update(); + + // Update the position and orientation of the boxes + mSliderJointBottomBox->updateTransform(); + mSliderJointTopBox->updateTransform(); + mPropellerBox->updateTransform(); + mFixedJointBox1->updateTransform(); + mFixedJointBox2->updateTransform(); + for (int i=0; iupdateTransform(); + } + + // Update the position and orientation of the floor + mFloor->updateTransform(); + } +} + +// Render the scene +void Scene::render() { + + glEnable(GL_DEPTH_TEST); + glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); + glEnable(GL_CULL_FACE); + + // Get the world-space to camera-space matrix + const Camera& camera = mViewer->getCamera(); + const openglframework::Matrix4 worldToCameraMatrix = camera.getTransformMatrix().getInverse(); + + // Bind the shader + mPhongShader.bind(); + + // Set the variables of the shader + mPhongShader.setVector3Uniform("light0PosCameraSpace",worldToCameraMatrix * mLight0.getOrigin()); + mPhongShader.setMatrix4x4Uniform("projectionMatrix", camera.getProjectionMatrix()); + mPhongShader.setVector3Uniform("lightAmbientColor", Vector3(0.3f, 0.3f, 0.3f)); + const Color& diffCol = mLight0.getDiffuseColor(); + const Color& specCol = mLight0.getSpecularColor(); + mPhongShader.setVector3Uniform("light0DiffuseColor", Vector3(diffCol.r, diffCol.g, diffCol.b)); + mPhongShader.setVector3Uniform("light0SpecularColor", Vector3(specCol.r, specCol.g, specCol.b)); + mPhongShader.setFloatUniform("shininess", 60.0f); + + // Render all the boxes + mSliderJointBottomBox->render(mPhongShader, worldToCameraMatrix); + mSliderJointTopBox->render(mPhongShader, worldToCameraMatrix); + mPropellerBox->render(mPhongShader, worldToCameraMatrix); + mFixedJointBox1->render(mPhongShader, worldToCameraMatrix); + mFixedJointBox2->render(mPhongShader, worldToCameraMatrix); + for (int i=0; irender(mPhongShader, worldToCameraMatrix); + } + + // Render the floor + mFloor->render(mPhongShader, worldToCameraMatrix); + + // Unbind the shader + mPhongShader.unbind(); +} + +// Create the boxes and joints for the Ball-and-Socket joint example +void Scene::createBallAndSocketJoints() { + + // --------------- Create the boxes --------------- // + + openglframework::Vector3 positionBox(0, 15, 5); + openglframework::Vector3 boxDimension(1, 1, 1); + const float boxMass = 0.5f; + + for (int i=0; igetRigidBody()->enableMotion(false); + else mBallAndSocketJointChainBoxes[i]->getRigidBody()->enableMotion(true); + + // Add some angular velocity damping + mBallAndSocketJointChainBoxes[i]->getRigidBody()->setAngularDamping(rp3d::decimal(0.2)); + + // Change the material properties of the rigid body + rp3d::Material& material = mBallAndSocketJointChainBoxes[i]->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.4)); + + positionBox.y -= boxDimension.y + 0.5f; + } + + // --------------- Create the joints --------------- // + + for (int i=0; igetRigidBody(); + rp3d::RigidBody* body2 = mBallAndSocketJointChainBoxes[i+1]->getRigidBody(); + rp3d::Vector3 body1Position = body1->getTransform().getPosition(); + rp3d::Vector3 body2Position = body2->getTransform().getPosition(); + const rp3d::Vector3 anchorPointWorldSpace = 0.5 * (body1Position + body2Position); + rp3d::BallAndSocketJointInfo jointInfo(body1, body2, anchorPointWorldSpace); + + // Create the joint in the dynamics world + mBallAndSocketJoints[i] = dynamic_cast( + mDynamicsWorld->createJoint(jointInfo)); + } +} + +/// Create the boxes and joint for the Slider joint example +void Scene::createSliderJoint() { + + // --------------- Create the first box --------------- // + + // Position of the box + openglframework::Vector3 positionBox1(0, 2.1f, 0); + + // Create a box and a corresponding rigid in the dynamics world + openglframework::Vector3 box1Dimension(2, 4, 2); + mSliderJointBottomBox = new Box(box1Dimension, positionBox1 , BOX_MASS, mDynamicsWorld); + + // The fist box cannot move + mSliderJointBottomBox->getRigidBody()->enableMotion(false); + + // Change the material properties of the rigid body + rp3d::Material& material1 = mSliderJointBottomBox->getRigidBody()->getMaterial(); + material1.setBounciness(0.4f); + + // --------------- Create the second box --------------- // + + // Position of the box + openglframework::Vector3 positionBox2(0, 4.2f, 0); + + // Create a box and a corresponding rigid in the dynamics world + openglframework::Vector3 box2Dimension(1.5f, 4, 1.5f); + mSliderJointTopBox = new Box(box2Dimension, positionBox2 , BOX_MASS, mDynamicsWorld); + + // The second box is allowed to move + mSliderJointTopBox->getRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material2 = mSliderJointTopBox->getRigidBody()->getMaterial(); + material2.setBounciness(0.4f); + + // --------------- Create the joint --------------- // + + // Create the joint info object + rp3d::RigidBody* body1 = mSliderJointBottomBox->getRigidBody(); + rp3d::RigidBody* body2 = mSliderJointTopBox->getRigidBody(); + const rp3d::Vector3& body1Position = body1->getTransform().getPosition(); + const rp3d::Vector3& body2Position = body2->getTransform().getPosition(); + const rp3d::Vector3 anchorPointWorldSpace = rp3d::decimal(0.5) * (body2Position + body1Position); + const rp3d::Vector3 sliderAxisWorldSpace = (body2Position - body1Position); + rp3d::SliderJointInfo jointInfo(body1, body2, anchorPointWorldSpace, sliderAxisWorldSpace, + rp3d::decimal(-1.7), rp3d::decimal(1.7)); + jointInfo.isMotorEnabled = true; + jointInfo.motorSpeed = 0.0; + jointInfo.maxMotorForce = 10000.0; + jointInfo.isCollisionEnabled = false; + + // Create the joint in the dynamics world + mSliderJoint = dynamic_cast(mDynamicsWorld->createJoint(jointInfo)); +} + +/// Create the boxes and joint for the Hinge joint example +void Scene::createPropellerHingeJoint() { + + // --------------- Create the propeller box --------------- // + + // Position of the box + openglframework::Vector3 positionBox1(0, 7, 0); + + // Create a box and a corresponding rigid in the dynamics world + openglframework::Vector3 boxDimension(10, 1, 1); + mPropellerBox = new Box(boxDimension, positionBox1 , BOX_MASS, mDynamicsWorld); + + // The fist box cannot move + mPropellerBox->getRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material = mPropellerBox->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.4)); + + // --------------- Create the Hinge joint --------------- // + + // Create the joint info object + rp3d::RigidBody* body1 = mPropellerBox->getRigidBody(); + rp3d::RigidBody* body2 = mSliderJointTopBox->getRigidBody(); + const rp3d::Vector3& body1Position = body1->getTransform().getPosition(); + const rp3d::Vector3& body2Position = body2->getTransform().getPosition(); + const rp3d::Vector3 anchorPointWorldSpace = 0.5 * (body2Position + body1Position); + const rp3d::Vector3 hingeAxisWorldSpace(0, 1, 0); + rp3d::HingeJointInfo jointInfo(body1, body2, anchorPointWorldSpace, hingeAxisWorldSpace); + jointInfo.isMotorEnabled = true; + jointInfo.motorSpeed = - rp3d::decimal(0.5) * PI; + jointInfo.maxMotorTorque = rp3d::decimal(60.0); + jointInfo.isCollisionEnabled = false; + + // Create the joint in the dynamics world + mPropellerHingeJoint = dynamic_cast(mDynamicsWorld->createJoint(jointInfo)); +} + +/// Create the boxes and joints for the fixed joints +void Scene::createFixedJoints() { + + // --------------- Create the first box --------------- // + + // Position of the box + openglframework::Vector3 positionBox1(5, 7, 0); + + // Create a box and a corresponding rigid in the dynamics world + openglframework::Vector3 boxDimension(1.5, 1.5, 1.5); + mFixedJointBox1 = new Box(boxDimension, positionBox1 , BOX_MASS, mDynamicsWorld); + + // The fist box cannot move + mFixedJointBox1->getRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material1 = mFixedJointBox1->getRigidBody()->getMaterial(); + material1.setBounciness(rp3d::decimal(0.4)); + + // --------------- Create the second box --------------- // + + // Position of the box + openglframework::Vector3 positionBox2(-5, 7, 0); + + // Create a box and a corresponding rigid in the dynamics world + mFixedJointBox2 = new Box(boxDimension, positionBox2 , BOX_MASS, mDynamicsWorld); + + // The second box is allowed to move + mFixedJointBox2->getRigidBody()->enableMotion(true); + + // Change the material properties of the rigid body + rp3d::Material& material2 = mFixedJointBox2->getRigidBody()->getMaterial(); + material2.setBounciness(rp3d::decimal(0.4)); + + // --------------- Create the first fixed joint --------------- // + + // Create the joint info object + rp3d::RigidBody* body1 = mFixedJointBox1->getRigidBody(); + rp3d::RigidBody* propellerBody = mPropellerBox->getRigidBody(); + const rp3d::Vector3 anchorPointWorldSpace1(5, 7, 0); + rp3d::FixedJointInfo jointInfo1(body1, propellerBody, anchorPointWorldSpace1); + jointInfo1.isCollisionEnabled = false; + + // Create the joint in the dynamics world + mFixedJoint1 = dynamic_cast(mDynamicsWorld->createJoint(jointInfo1)); + + // --------------- Create the second fixed joint --------------- // + + // Create the joint info object + rp3d::RigidBody* body2 = mFixedJointBox2->getRigidBody(); + const rp3d::Vector3 anchorPointWorldSpace2(-5, 7, 0); + rp3d::FixedJointInfo jointInfo2(body2, propellerBody, anchorPointWorldSpace2); + jointInfo2.isCollisionEnabled = false; + + // Create the joint in the dynamics world + mFixedJoint2 = dynamic_cast(mDynamicsWorld->createJoint(jointInfo2)); +} + + +// Create the floor +void Scene::createFloor() { + + // Create the floor + openglframework::Vector3 floorPosition(0, 0, 0); + mFloor = new Box(FLOOR_SIZE, floorPosition, FLOOR_MASS, mDynamicsWorld); + + // The floor must be a non-moving rigid body + mFloor->getRigidBody()->enableMotion(false); + + // Change the material properties of the rigid body + rp3d::Material& material = mFloor->getRigidBody()->getMaterial(); + material.setBounciness(rp3d::decimal(0.3)); +} diff --git a/examples/joints/Scene.h b/examples/joints/Scene.h new file mode 100644 index 00000000..90430d1d --- /dev/null +++ b/examples/joints/Scene.h @@ -0,0 +1,171 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef SCENE_H +#define SCENE_H + +// Libraries +#include "openglframework.h" +#include "reactphysics3d.h" +#include "Box.h" + +// Constants +const openglframework::Vector3 BOX_SIZE(2, 2, 2); // Box dimensions in meters +const openglframework::Vector3 FLOOR_SIZE(20, 0.5f, 20); // Floor dimensions in meters +const float BOX_MASS = 1.0f; // Box mass in kilograms +const float FLOOR_MASS = 100.0f; // Floor mass in kilograms +const int NB_BALLSOCKETJOINT_BOXES = 7; // Number of Ball-And-Socket chain boxes +const int NB_HINGE_BOXES = 7; // Number of Hinge chain boxes + +// Class Scene +class Scene { + + private : + + // -------------------- Attributes -------------------- // + + /// Pointer to the viewer + openglframework::GlutViewer* mViewer; + + /// Light 0 + openglframework::Light mLight0; + + /// Phong shader + openglframework::Shader mPhongShader; + + /// Boxes of Ball-And-Socket joint chain + Box* mBallAndSocketJointChainBoxes[NB_BALLSOCKETJOINT_BOXES]; + + /// Boxes of the Hinge joint chain + Box* mHingeJointChainBoxes[NB_HINGE_BOXES]; + + /// Ball-And-Socket joints of the chain + rp3d::BallAndSocketJoint* mBallAndSocketJoints[NB_BALLSOCKETJOINT_BOXES-1]; + + /// Hinge joints of the chain + rp3d::HingeJoint* mHingeJoints[NB_HINGE_BOXES-1]; + + /// Bottom box of the Slider joint + Box* mSliderJointBottomBox; + + /// Top box of the Slider joint + Box* mSliderJointTopBox; + + /// Slider joint + rp3d::SliderJoint* mSliderJoint; + + /// Propeller box + Box* mPropellerBox; + + /// Box 1 of Fixed joint + Box* mFixedJointBox1; + + /// Box 2 of Fixed joint + Box* mFixedJointBox2; + + /// Hinge joint + rp3d::HingeJoint* mPropellerHingeJoint; + + /// First Fixed joint + rp3d::FixedJoint* mFixedJoint1; + + /// Second Fixed joint + rp3d::FixedJoint* mFixedJoint2; + + /// Box for the floor + Box* mFloor; + + /// Dynamics world used for the physics simulation + rp3d::DynamicsWorld* mDynamicsWorld; + + /// True if the physics simulation is running + bool mIsRunning; + + // -------------------- Methods -------------------- // + + /// Create the boxes and joints for the Ball-and-Socket joint example + void createBallAndSocketJoints(); + + /// Create the boxes and joint for the Slider joint example + void createSliderJoint(); + + /// Create the boxes and joint for the Hinge joint example + void createPropellerHingeJoint(); + + /// Create the boxes and joint for the Fixed joint example + void createFixedJoints(); + + /// Create the floor + void createFloor(); + + public: + + // -------------------- Methods -------------------- // + + /// Constructor + Scene(openglframework::GlutViewer* viewer); + + /// Destructor + ~Scene(); + + /// Take a step for the simulation + void simulate(); + + /// Stop the simulation + void stopSimulation(); + + /// Start the simulation + void startSimulation(); + + /// Pause or continue simulation + void pauseContinueSimulation(); + + /// Render the scene + void render(); +}; + +// Stop the simulation +inline void Scene::stopSimulation() { + mDynamicsWorld->stop(); + mIsRunning = false; +} + +// Start the simulation +inline void Scene::startSimulation() { + mDynamicsWorld->start(); + mIsRunning = true; +} + +// Pause or continue simulation +inline void Scene::pauseContinueSimulation() { + if (mIsRunning) { + stopSimulation(); + } + else { + startSimulation(); + } +} + +#endif diff --git a/src/body/Body.cpp b/src/body/Body.cpp index a9c639f3..f34cf5cc 100644 --- a/src/body/Body.cpp +++ b/src/body/Body.cpp @@ -23,7 +23,7 @@ * * ********************************************************************************/ - // Libraries +// Libraries #include "Body.h" #include "../collision/shapes/CollisionShape.h" @@ -31,7 +31,9 @@ using namespace reactphysics3d; // Constructor -Body::Body(bodyindex id) : mID(id) { +Body::Body(bodyindex id) + : mID(id), mIsAlreadyInIsland(false), mIsAllowedToSleep(true), mIsActive(true), + mIsSleeping(false), mSleepTime(0) { } diff --git a/src/body/Body.h b/src/body/Body.h index 6aa9a2eb..a7351cd0 100644 --- a/src/body/Body.h +++ b/src/body/Body.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef BODY_H -#define BODY_H +#ifndef REACTPHYSICS3D_BODY_H +#define REACTPHYSICS3D_BODY_H // Libraries #include @@ -47,6 +47,21 @@ class Body { /// ID of the body bodyindex mID; + /// True if the body has already been added in an island (for sleeping technique) + bool mIsAlreadyInIsland; + + /// True if the body is allowed to go to sleep for better efficiency + bool mIsAllowedToSleep; + + /// True if the body is active + bool mIsActive; + + /// True if the body is sleeping (for sleeping technique) + bool mIsSleeping; + + /// Elapsed time since the body velocity was bellow the sleep velocity + decimal mSleepTime; + // -------------------- Methods -------------------- // /// Private copy-constructor @@ -68,6 +83,21 @@ class Body { /// Return the id of the body bodyindex getID() const; + /// Return whether or not the body is allowed to sleep + bool isAllowedToSleep() const; + + /// Set whether or not the body is allowed to go to sleep + void setIsAllowedToSleep(bool isAllowedToSleep); + + /// Return whether or not the body is sleeping + bool isSleeping() const; + + /// Return true if the body is active + bool isActive() const; + + /// Set the variable to know whether or not the body is sleeping + virtual void setIsSleeping(bool isSleeping); + /// Smaller than operator bool operator<(const Body& body2) const; @@ -79,6 +109,10 @@ class Body { /// Not equal operator bool operator!=(const Body& body2) const; + + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; }; // Return the id of the body @@ -86,6 +120,43 @@ inline bodyindex Body::getID() const { return mID; } +// Return whether or not the body is allowed to sleep +inline bool Body::isAllowedToSleep() const { + return mIsAllowedToSleep; +} + +// Set whether or not the body is allowed to go to sleep +inline void Body::setIsAllowedToSleep(bool isAllowedToSleep) { + mIsAllowedToSleep = isAllowedToSleep; + + if (!mIsAllowedToSleep) setIsSleeping(false); +} + +// Return whether or not the body is sleeping +inline bool Body::isSleeping() const { + return mIsSleeping; +} + +// Return true if the body is active +inline bool Body::isActive() const { + return mIsActive; +} + +// Set the variable to know whether or not the body is sleeping +inline void Body::setIsSleeping(bool isSleeping) { + + if (isSleeping) { + mSleepTime = decimal(0.0); + } + else { + if (mIsSleeping) { + mSleepTime = decimal(0.0); + } + } + + mIsSleeping = isSleeping; +} + // Smaller than operator inline bool Body::operator<(const Body& body2) const { return (mID < body2.mID); diff --git a/src/body/CollisionBody.cpp b/src/body/CollisionBody.cpp index 98e6c600..cebf9559 100644 --- a/src/body/CollisionBody.cpp +++ b/src/body/CollisionBody.cpp @@ -25,6 +25,7 @@ // Libraries #include "CollisionBody.h" +#include "../engine/ContactManifold.h" // We want to use the ReactPhysics3D namespace using namespace reactphysics3d; @@ -32,8 +33,8 @@ using namespace reactphysics3d; // Constructor CollisionBody::CollisionBody(const Transform& transform, CollisionShape *collisionShape, bodyindex id) - : Body(id), mCollisionShape(collisionShape), mTransform(transform), - mIsActive(true), mHasMoved(false) { + : Body(id), mCollisionShape(collisionShape), mTransform(transform), + mHasMoved(false), mContactManifoldsList(NULL) { assert(collisionShape); @@ -50,5 +51,24 @@ CollisionBody::CollisionBody(const Transform& transform, CollisionShape *collisi // Destructor CollisionBody::~CollisionBody() { - + assert(mContactManifoldsList == NULL); +} + +// Reset the contact manifold lists +void CollisionBody::resetContactManifoldsList(MemoryAllocator& memoryAllocator) { + + // Delete the linked list of contact manifolds of that body + ContactManifoldListElement* currentElement = mContactManifoldsList; + while (currentElement != NULL) { + ContactManifoldListElement* nextElement = currentElement->next; + + // Delete the current element + currentElement->ContactManifoldListElement::~ContactManifoldListElement(); + memoryAllocator.release(currentElement, sizeof(ContactManifoldListElement)); + + currentElement = nextElement; + } + mContactManifoldsList = NULL; + + assert(mContactManifoldsList == NULL); } diff --git a/src/body/CollisionBody.h b/src/body/CollisionBody.h index 57659766..0cd9df84 100644 --- a/src/body/CollisionBody.h +++ b/src/body/CollisionBody.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef COLLISION_BODY_H -#define COLLISION_BODY_H +#ifndef REACTPHYSICS3D_COLLISION_BODY_H +#define REACTPHYSICS3D_COLLISION_BODY_H // Libraries #include @@ -33,11 +33,15 @@ #include "../mathematics/Transform.h" #include "../collision/shapes/AABB.h" #include "../collision/shapes/CollisionShape.h" +#include "../memory/MemoryAllocator.h" #include "../configuration.h" /// Namespace reactphysics3d namespace reactphysics3d { +// Class declarations +struct ContactManifoldListElement; + // Class CollisionBody /** * This class represents a body that is able to collide with others @@ -61,9 +65,6 @@ class CollisionBody : public Body { /// Interpolation factor used for the state interpolation decimal mInterpolationFactor; - /// True if the body is active (not sleeping) - bool mIsActive; - /// True if the body is able to move bool mIsMotionEnabled; @@ -76,6 +77,9 @@ class CollisionBody : public Body { /// True if the body has moved during the last frame bool mHasMoved; + /// First element of the linked list of contact manifolds involving this body + ContactManifoldListElement* mContactManifoldsList; + // -------------------- Methods -------------------- // /// Private copy-constructor @@ -84,6 +88,15 @@ class CollisionBody : public Body { /// Private assignment operator CollisionBody& operator=(const CollisionBody& body); + /// Reset the contact manifold lists + void resetContactManifoldsList(MemoryAllocator& memoryAllocator); + + /// Update the old transform with the current one. + void updateOldTransform(); + + /// Update the Axis-Aligned Bounding Box coordinates + void updateAABB(); + public : // -------------------- Methods -------------------- // @@ -94,24 +107,12 @@ class CollisionBody : public Body { /// Destructor virtual ~CollisionBody(); - /// Return true if the body has moved during the last frame - bool getHasMoved() const; - - /// Set the hasMoved variable (true if the body has moved during the last frame) - void setHasMoved(bool hasMoved); - /// Return the collision shape CollisionShape* getCollisionShape() const; /// Set the collision shape void setCollisionShape(CollisionShape* collisionShape); - /// Return true for an active body - bool getIsActive() const; - - /// Set the isActive variable - void setIsActive(bool isActive); - /// Return the current position and orientation const Transform& getTransform() const; @@ -127,35 +128,27 @@ class CollisionBody : public Body { /// Set the interpolation factor of the body void setInterpolationFactor(decimal factor); - /// Return if the rigid body can move - bool getIsMotionEnabled() const; + /// Return true if the rigid body is allowed to move + bool isMotionEnabled() const; - /// Set the value to true if the body can move - void setIsMotionEnabled(bool isMotionEnabled); + /// Enable/disable the motion of the body + void enableMotion(bool isMotionEnabled); /// Return true if the body can collide with others bodies - bool getIsCollisionEnabled() const; + bool isCollisionEnabled() const; - /// Set the isCollisionEnabled value - void setIsCollisionEnabled(bool isCollisionEnabled); + /// Enable/disable the collision with this body + void enableCollision(bool isCollisionEnabled); - /// Update the old transform with the current one. - void updateOldTransform(); + /// Return the first element of the linked list of contact manifolds involving this body + const ContactManifoldListElement* getContactManifoldsLists() const; - /// Update the Axis-Aligned Bounding Box coordinates - void updateAABB(); + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; + friend class CollisionDetection; }; -// Return true if the body has moved during the last frame -inline bool CollisionBody::getHasMoved() const { - return mHasMoved; -} - -// Set the hasMoved variable (true if the body has moved during the last frame) -inline void CollisionBody::setHasMoved(bool hasMoved) { - mHasMoved = hasMoved; -} - // Return the collision shape inline CollisionShape* CollisionBody::getCollisionShape() const { assert(mCollisionShape); @@ -168,16 +161,6 @@ inline void CollisionBody::setCollisionShape(CollisionShape* collisionShape) { mCollisionShape = collisionShape; } -// Return true if the body is active -inline bool CollisionBody::getIsActive() const { - return mIsActive; -} - -// Set the isActive variable -inline void CollisionBody::setIsActive(bool isActive) { - mIsActive = isActive; -} - // Return the interpolated transform for rendering inline Transform CollisionBody::getInterpolatedTransform() const { return Transform::interpolateTransforms(mOldTransform, mTransform, mInterpolationFactor); @@ -189,13 +172,13 @@ inline void CollisionBody::setInterpolationFactor(decimal factor) { mInterpolationFactor = factor; } -// Return if the rigid body can move -inline bool CollisionBody::getIsMotionEnabled() const { +// Return true if the rigid body is allowed to move +inline bool CollisionBody::isMotionEnabled() const { return mIsMotionEnabled; } -// Set the value to true if the body can move -inline void CollisionBody::setIsMotionEnabled(bool isMotionEnabled) { +// Enable/disable the motion of the body +inline void CollisionBody::enableMotion(bool isMotionEnabled) { mIsMotionEnabled = isMotionEnabled; } @@ -208,7 +191,7 @@ inline const Transform& CollisionBody::getTransform() const { inline void CollisionBody::setTransform(const Transform& transform) { // Check if the body has moved - if (this->mTransform != transform) { + if (mTransform != transform) { mHasMoved = true; } @@ -221,12 +204,12 @@ inline const AABB& CollisionBody::getAABB() const { } // Return true if the body can collide with others bodies -inline bool CollisionBody::getIsCollisionEnabled() const { +inline bool CollisionBody::isCollisionEnabled() const { return mIsCollisionEnabled; } -// Set the isCollisionEnabled value -inline void CollisionBody::setIsCollisionEnabled(bool isCollisionEnabled) { +// Enable/disable the collision with this body +inline void CollisionBody::enableCollision(bool isCollisionEnabled) { mIsCollisionEnabled = isCollisionEnabled; } @@ -239,12 +222,15 @@ inline void CollisionBody::updateOldTransform() { // Update the rigid body in order to reflect a change in the body state inline void CollisionBody::updateAABB() { - // TODO : An AABB should not be updated every frame but only if the body has moved - // Update the AABB mCollisionShape->updateAABB(mAabb, mTransform); } +// Return the first element of the linked list of contact manifolds involving this body +inline const ContactManifoldListElement* CollisionBody::getContactManifoldsLists() const { + return mContactManifoldsList; +} + } #endif diff --git a/src/body/RigidBody.cpp b/src/body/RigidBody.cpp index 40139aff..a3d0f8fd 100644 --- a/src/body/RigidBody.cpp +++ b/src/body/RigidBody.cpp @@ -25,25 +25,54 @@ // Libraries #include "RigidBody.h" +#include "constraint/Joint.h" #include "../collision/shapes/CollisionShape.h" // We want to use the ReactPhysics3D namespace using namespace reactphysics3d; - // Constructor - RigidBody::RigidBody(const Transform& transform, decimal mass, const Matrix3x3& inertiaTensorLocal, +// Constructor +RigidBody::RigidBody(const Transform& transform, decimal mass, const Matrix3x3& inertiaTensorLocal, CollisionShape *collisionShape, bodyindex id) : CollisionBody(transform, collisionShape, id), mInertiaTensorLocal(inertiaTensorLocal), mMass(mass), mInertiaTensorLocalInverse(inertiaTensorLocal.getInverse()), - mMassInverse(decimal(1.0) / mass), mFrictionCoefficient(DEFAULT_FRICTION_COEFFICIENT) { - - mRestitution = decimal(1.0); + mMassInverse(decimal(1.0) / mass), mIsGravityEnabled(true), + mLinearDamping(decimal(0.0)), mAngularDamping(decimal(0.0)), mJointsList(NULL) { assert(collisionShape); } // Destructor RigidBody::~RigidBody() { - + assert(mJointsList == NULL); } +// Remove a joint from the joints list +void RigidBody::removeJointFromJointsList(MemoryAllocator& memoryAllocator, const Joint* joint) { + + assert(joint != NULL); + assert(mJointsList != NULL); + + // Remove the joint from the linked list of the joints of the first body + if (mJointsList->joint == joint) { // If the first element is the one to remove + JointListElement* elementToRemove = mJointsList; + mJointsList = elementToRemove->next; + elementToRemove->JointListElement::~JointListElement(); + memoryAllocator.release(elementToRemove, sizeof(JointListElement)); + } + else { // If the element to remove is not the first one in the list + JointListElement* currentElement = mJointsList; + while (currentElement->next != NULL) { + if (currentElement->next->joint == joint) { + JointListElement* elementToRemove = currentElement->next; + currentElement->next = elementToRemove->next; + elementToRemove->JointListElement::~JointListElement(); + memoryAllocator.release(elementToRemove, sizeof(JointListElement)); + break; + } + currentElement = currentElement->next; + } + } +} + + diff --git a/src/body/RigidBody.h b/src/body/RigidBody.h index 0d8652e5..cbd123e1 100644 --- a/src/body/RigidBody.h +++ b/src/body/RigidBody.h @@ -23,17 +23,23 @@ * * ********************************************************************************/ -#ifndef RIGID_BODY_H -#define RIGID_BODY_H +#ifndef REACTPHYSICS3D_RIGID_BODY_H +#define REACTPHYSICS3D_RIGID_BODY_H // Libraries #include #include "CollisionBody.h" +#include "../engine/Material.h" #include "../mathematics/mathematics.h" +#include "../memory/MemoryAllocator.h" /// Namespace reactphysics3d namespace reactphysics3d { +// Class declarations +struct JointListElement; +class Joint; + // Class RigidBody /** * This class represents a rigid body of the physics @@ -73,11 +79,20 @@ class RigidBody : public CollisionBody { /// Inverse of the mass of the body decimal mMassInverse; - /// Coefficient of restitution (between 0 and 1) where 1 is for a very bouncy body - decimal mRestitution; + /// True if the gravity needs to be applied to this rigid body + bool mIsGravityEnabled; - /// Friction coefficient - decimal mFrictionCoefficient; + /// Material properties of the rigid body + Material mMaterial; + + /// Linear velocity damping factor + decimal mLinearDamping; + + /// Angular velocity damping factor + decimal mAngularDamping; + + /// First element of the linked list of joints involving this body + JointListElement* mJointsList; // -------------------- Methods -------------------- // @@ -87,6 +102,12 @@ class RigidBody : public CollisionBody { /// Private assignment operator RigidBody& operator=(const RigidBody& body); + /// Remove a joint from the joints list + void removeJointFromJointsList(MemoryAllocator& memoryAllocator, const Joint* joint); + + /// Set the inverse of the mass + void setMassInverse(decimal massInverse); + public : // -------------------- Methods -------------------- // @@ -116,26 +137,11 @@ class RigidBody : public CollisionBody { /// Set the angular velocity void setAngularVelocity(const Vector3& angularVelocity); - /// Set the inverse of the mass - void setMassInverse(decimal massInverse); - - /// Return the current external force of the body - Vector3 getExternalForce() const; - - /// Set the current external force on the body - void setExternalForce(const Vector3& force); - - /// Return the current external torque of the body - Vector3 getExternalTorque() const; - - /// Set the current external torque of the body - void setExternalTorque(const Vector3& torque); - /// Return the inverse of the mass of the body decimal getMassInverse() const; /// Return the local inertia tensor of the body (in body coordinates) - Matrix3x3 getInertiaTensorLocal() const; + const Matrix3x3& getInertiaTensorLocal() const; /// Set the local inertia tensor of the body (in body coordinates) void setInertiaTensorLocal(const Matrix3x3& inertiaTensorLocal); @@ -148,18 +154,49 @@ class RigidBody : public CollisionBody { /// Return the inverse of the inertia tensor in world coordinates. Matrix3x3 getInertiaTensorInverseWorld() const; - - /// Get the restitution coefficient - decimal getRestitution() const; - /// Set the restitution coefficient - void setRestitution(decimal restitution); + /// Return true if the gravity needs to be applied to this rigid body + bool isGravityEnabled() const; - /// Get the friction coefficient - decimal getFrictionCoefficient() const; + /// Set the variable to know if the gravity is applied to this rigid body + void enableGravity(bool isEnabled); - /// Set the friction coefficient - void setFrictionCoefficient(decimal frictionCoefficient); + /// Return a reference to the material properties of the rigid body + Material& getMaterial(); + + /// Set a new material for this rigid body + void setMaterial(const Material& material); + + /// Return the linear velocity damping factor + decimal getLinearDamping() const; + + /// Set the linear damping factor + void setLinearDamping(decimal linearDamping); + + /// Return the angular velocity damping factor + decimal getAngularDamping() const; + + /// Set the angular damping factor + void setAngularDamping(decimal angularDamping); + + /// Return the first element of the linked list of joints involving this body + const JointListElement* getJointsList() const; + + /// Set the variable to know whether or not the body is sleeping + virtual void setIsSleeping(bool isSleeping); + + /// Apply an external force to the body at its gravity center. + void applyForceToCenter(const Vector3& force); + + /// Apply an external force to the body at a given point (in world-space coordinates). + void applyForce(const Vector3& force, const Vector3& point); + + /// Apply an external torque to the body. + void applyTorque(const Vector3& torque); + + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; }; // Method that return the mass of the body @@ -196,33 +233,13 @@ inline Matrix3x3 RigidBody::getInertiaTensorLocalInverse() const { return mInertiaTensorLocalInverse; } -// Return the external force on the body -inline Vector3 RigidBody::getExternalForce() const { - return mExternalForce; -} - -// Set the external force on the body -inline void RigidBody::setExternalForce(const Vector3& force) { - mExternalForce = force; -} - -// Return the current external torque on the body -inline Vector3 RigidBody::getExternalTorque() const { - return mExternalTorque; -} - - // Set the current external torque on the body -inline void RigidBody::setExternalTorque(const Vector3& torque) { - mExternalTorque = torque; -} - // Return the inverse of the mass of the body inline decimal RigidBody::getMassInverse() const { return mMassInverse; } // Return the local inertia tensor of the body (in body coordinates) -inline Matrix3x3 RigidBody::getInertiaTensorLocal() const { +inline const Matrix3x3& RigidBody::getInertiaTensorLocal() const { return mInertiaTensorLocal; } @@ -267,25 +284,120 @@ inline void RigidBody::setLinearVelocity(const Vector3& linearVelocity) { } } -// Get the restitution coeffficient of the rigid body -inline decimal RigidBody::getRestitution() const { - return mRestitution; +// Return true if the gravity needs to be applied to this rigid body +inline bool RigidBody::isGravityEnabled() const { + return mIsGravityEnabled; } -// Set the restitution coefficient -inline void RigidBody::setRestitution(decimal restitution) { - assert(restitution >= 0.0 && restitution <= 1.0); - mRestitution = restitution; +// Set the variable to know if the gravity is applied to this rigid body +inline void RigidBody::enableGravity(bool isEnabled) { + mIsGravityEnabled = isEnabled; } -// Get the friction coefficient -inline decimal RigidBody::getFrictionCoefficient() const { - return mFrictionCoefficient; +// Return a reference to the material properties of the rigid body +inline Material& RigidBody::getMaterial() { + return mMaterial; } -// Set the friction coefficient -inline void RigidBody::setFrictionCoefficient(decimal frictionCoefficient) { - mFrictionCoefficient = frictionCoefficient; +// Set a new material for this rigid body +inline void RigidBody::setMaterial(const Material& material) { + mMaterial = material; +} + +// Return the linear velocity damping factor +inline decimal RigidBody::getLinearDamping() const { + return mLinearDamping; +} + +// Set the linear damping factor +inline void RigidBody::setLinearDamping(decimal linearDamping) { + assert(linearDamping >= decimal(0.0)); + mLinearDamping = linearDamping; +} + +// Return the angular velocity damping factor +inline decimal RigidBody::getAngularDamping() const { + return mAngularDamping; +} + +// Set the angular damping factor +inline void RigidBody::setAngularDamping(decimal angularDamping) { + assert(angularDamping >= decimal(0.0)); + mAngularDamping = angularDamping; +} + +// Return the first element of the linked list of joints involving this body +inline const JointListElement* RigidBody::getJointsList() const { + return mJointsList; +} + +// Set the variable to know whether or not the body is sleeping +inline void RigidBody::setIsSleeping(bool isSleeping) { + + if (isSleeping) { + mLinearVelocity.setToZero(); + mAngularVelocity.setToZero(); + mExternalForce.setToZero(); + mExternalTorque.setToZero(); + } + + Body::setIsSleeping(isSleeping); +} + +// Apply an external force to the body at its gravity center. +/// If the body is sleeping, calling this method will wake it up. Note that the +/// force will we added to the sum of the applied forces and that this sum will be +/// reset to zero at the end of each call of the DynamicsWorld::update() method. +inline void RigidBody::applyForceToCenter(const Vector3& force) { + // If it is a static body, do not apply any force + if (!mIsMotionEnabled) return; + + // Awake the body if it was sleeping + if (mIsSleeping) { + setIsSleeping(false); + } + + // Add the force + mExternalForce += force; +} + +// Apply an external force to the body at a given point (in world-space coordinates). +/// If the point is not at the center of gravity of the body, it will also +/// generate some torque and therefore, change the angular velocity of the body. +/// If the body is sleeping, calling this method will wake it up. Note that the +/// force will we added to the sum of the applied forces and that this sum will be +/// reset to zero at the end of each call of the DynamicsWorld::update() method. +inline void RigidBody::applyForce(const Vector3& force, const Vector3& point) { + + // If it is a static body, do not apply any force + if (!mIsMotionEnabled) return; + + // Awake the body if it was sleeping + if (mIsSleeping) { + setIsSleeping(false); + } + + // Add the force and torque + mExternalForce += force; + mExternalTorque += (point - mTransform.getPosition()).cross(force); +} + +// Apply an external torque to the body. +/// If the body is sleeping, calling this method will wake it up. Note that the +/// force will we added to the sum of the applied torques and that this sum will be +/// reset to zero at the end of each call of the DynamicsWorld::update() method. +inline void RigidBody::applyTorque(const Vector3& torque) { + + // If it is a static body, do not apply any force + if (!mIsMotionEnabled) return; + + // Awake the body if it was sleeping + if (mIsSleeping) { + setIsSleeping(false); + } + + // Add the torque + mExternalTorque += torque; } } diff --git a/src/collision/BroadPhasePair.h b/src/collision/BroadPhasePair.h index c3878eda..4712c9e1 100644 --- a/src/collision/BroadPhasePair.h +++ b/src/collision/BroadPhasePair.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef BROAD_PHASE_PAIR_H -#define BROAD_PHASE_PAIR_H +#ifndef REACTPHYSICS3D_BROAD_PHASE_PAIR_H +#define REACTPHYSICS3D_BROAD_PHASE_PAIR_H // Libraries #include "../body/CollisionBody.h" @@ -60,6 +60,9 @@ struct BroadPhasePair { /// Destructor ~BroadPhasePair(); + /// Return the pair of bodies index + static bodyindexpair computeBodiesIndexPair(CollisionBody* body1, CollisionBody* body2); + /// Return the pair of bodies index bodyindexpair getBodiesIndexPair() const; @@ -77,16 +80,22 @@ struct BroadPhasePair { }; // Return the pair of bodies index -inline bodyindexpair BroadPhasePair::getBodiesIndexPair() const { - +inline bodyindexpair BroadPhasePair::computeBodiesIndexPair(CollisionBody* body1, + CollisionBody* body2) { // Construct the pair of body index - bodyindexpair indexPair = body1->getID() < body2->getID() ? + bodyindexpair indexPair = body1->getID() < body2->getID() ? std::make_pair(body1->getID(), body2->getID()) : std::make_pair(body2->getID(), body1->getID()); assert(indexPair.first != indexPair.second); return indexPair; } +// Return the pair of bodies index +inline bodyindexpair BroadPhasePair::getBodiesIndexPair() const { + + return computeBodiesIndexPair(body1, body2); +} + // Smaller than operator inline bool BroadPhasePair::operator<(const BroadPhasePair& broadPhasePair2) const { return (body1 < broadPhasePair2.body1 ? true : (body2 < broadPhasePair2.body2)); diff --git a/src/collision/CollisionDetection.cpp b/src/collision/CollisionDetection.cpp index 9d0254d2..c98407bf 100644 --- a/src/collision/CollisionDetection.cpp +++ b/src/collision/CollisionDetection.cpp @@ -43,9 +43,10 @@ using namespace reactphysics3d; using namespace std; // Constructor -CollisionDetection::CollisionDetection(CollisionWorld* world) - : mWorld(world), mNarrowPhaseGJKAlgorithm(mMemoryPoolContactInfos), - mNarrowPhaseSphereVsSphereAlgorithm(mMemoryPoolContactInfos) { +CollisionDetection::CollisionDetection(CollisionWorld* world, MemoryAllocator& memoryAllocator) + : mWorld(world), mMemoryAllocator(memoryAllocator), + mNarrowPhaseGJKAlgorithm(memoryAllocator), + mNarrowPhaseSphereVsSphereAlgorithm(memoryAllocator) { // Create the broad-phase algorithm that will be used (Sweep and Prune with AABB) mBroadPhaseAlgorithm = new SweepAndPruneAlgorithm(*this); @@ -61,6 +62,8 @@ CollisionDetection::~CollisionDetection() { // Compute the collision detection void CollisionDetection::computeCollisionDetection() { + + PROFILE("CollisionDetection::computeCollisionDetection()"); // Compute the broad-phase collision detection computeBroadPhase(); @@ -72,12 +75,14 @@ void CollisionDetection::computeCollisionDetection() { // Compute the broad-phase collision detection void CollisionDetection::computeBroadPhase() { + PROFILE("CollisionDetection::computeBroadPhase()"); + // Notify the broad-phase algorithm about the bodies that have moved since last frame for (set::iterator it = mWorld->getBodiesBeginIterator(); it != mWorld->getBodiesEndIterator(); it++) { // If the body has moved - if ((*it)->getHasMoved()) { + if ((*it)->mHasMoved) { // Notify the broad-phase that the body has moved mBroadPhaseAlgorithm->updateObject(*it, (*it)->getAABB()); @@ -87,11 +92,14 @@ void CollisionDetection::computeBroadPhase() { // Compute the narrow-phase collision detection void CollisionDetection::computeNarrowPhase() { + + PROFILE("CollisionDetection::computeNarrowPhase()"); + map::iterator it; // For each possible collision pair of bodies for (it = mOverlappingPairs.begin(); it != mOverlappingPairs.end(); it++) { - ContactInfo* contactInfo = NULL; + ContactPointInfo* contactInfo = NULL; BroadPhasePair* pair = (*it).second; assert(pair != NULL); @@ -101,6 +109,12 @@ void CollisionDetection::computeNarrowPhase() { // Update the contact cache of the overlapping pair mWorld->updateOverlappingPair(pair); + + // Check if the two bodies are allowed to collide, otherwise, we do not test for collision + if (mNoCollisionPairs.count(pair->getBodiesIndexPair()) > 0) continue; + + // Check if the two bodies are sleeping, if so, we do no test collision between them + if (body1->isSleeping() && body2->isSleeping()) continue; // Select the narrow phase algorithm to use according to the two collision shapes NarrowPhaseAlgorithm& narrowPhaseAlgorithm = SelectNarrowPhaseAlgorithm( @@ -117,12 +131,18 @@ void CollisionDetection::computeNarrowPhase() { contactInfo)) { assert(contactInfo != NULL); + // Set the bodies of the contact + contactInfo->body1 = dynamic_cast(body1); + contactInfo->body2 = dynamic_cast(body2); + assert(contactInfo->body1 != NULL); + assert(contactInfo->body2 != NULL); + // Notify the world about the new narrow-phase contact mWorld->notifyNewContact(pair, contactInfo); - // Delete and remove the contact info from the memory pool - contactInfo->ContactInfo::~ContactInfo(); - mMemoryPoolContactInfos.freeObject(contactInfo); + // Delete and remove the contact info from the memory allocator + contactInfo->ContactPointInfo::~ContactPointInfo(); + mMemoryAllocator.release(contactInfo, sizeof(ContactPointInfo)); } } } @@ -135,7 +155,7 @@ void CollisionDetection::broadPhaseNotifyAddedOverlappingPair(BodyPair* addedPai bodyindexpair indexPair = addedPair->getBodiesIndexPair(); // Create the corresponding broad-phase pair object - BroadPhasePair* broadPhasePair = new (mMemoryPoolBroadPhasePairs.allocateObject()) + BroadPhasePair* broadPhasePair = new (mMemoryAllocator.allocate(sizeof(BroadPhasePair))) BroadPhasePair(addedPair->body1, addedPair->body2); assert(broadPhasePair != NULL); @@ -162,8 +182,8 @@ void CollisionDetection::broadPhaseNotifyRemovedOverlappingPair(BodyPair* remove // Notify the world about the removed broad-phase pair mWorld->notifyRemovedOverlappingPair(broadPhasePair); - // Remove the overlapping pair from the memory pool + // Remove the overlapping pair from the memory allocator broadPhasePair->BroadPhasePair::~BroadPhasePair(); - mMemoryPoolBroadPhasePairs.freeObject(broadPhasePair); + mMemoryAllocator.release(broadPhasePair, sizeof(BroadPhasePair)); mOverlappingPairs.erase(indexPair); } diff --git a/src/collision/CollisionDetection.h b/src/collision/CollisionDetection.h index d44d1b94..eee6f1a2 100644 --- a/src/collision/CollisionDetection.h +++ b/src/collision/CollisionDetection.h @@ -23,23 +23,21 @@ * * ********************************************************************************/ -#ifndef COLLISION_DETECTION_H -#define COLLISION_DETECTION_H +#ifndef REACTPHYSICS3D_COLLISION_DETECTION_H +#define REACTPHYSICS3D_COLLISION_DETECTION_H // Libraries #include "../body/CollisionBody.h" #include "broadphase/BroadPhaseAlgorithm.h" #include "BroadPhasePair.h" -#include "../memory/MemoryPool.h" #include "narrowphase/GJK/GJKAlgorithm.h" #include "narrowphase/SphereVsSphereAlgorithm.h" -#include "ContactInfo.h" +#include "../memory/MemoryAllocator.h" +#include "../constraint/ContactPoint.h" #include #include #include #include -#include // TODO : Delete this - /// ReactPhysics3D namespace namespace reactphysics3d { @@ -64,6 +62,9 @@ class CollisionDetection { /// Pointer to the physics world CollisionWorld* mWorld; + /// Memory allocator + MemoryAllocator& mMemoryAllocator; + /// Broad-phase overlapping pairs std::map mOverlappingPairs; @@ -76,11 +77,8 @@ class CollisionDetection { /// Narrow-phase Sphere vs Sphere algorithm SphereVsSphereAlgorithm mNarrowPhaseSphereVsSphereAlgorithm; - /// Memory pool for contactinfo - MemoryPool mMemoryPoolContactInfos; - - /// Memory pool for broad-phase pairs - MemoryPool mMemoryPoolBroadPhasePairs; + /// Set of pair of bodies that cannot collide between each other + std::set mNoCollisionPairs; // -------------------- Methods -------------------- // @@ -105,7 +103,7 @@ class CollisionDetection { // -------------------- Methods -------------------- // /// Constructor - CollisionDetection(CollisionWorld* world); + CollisionDetection(CollisionWorld* world, MemoryAllocator& memoryAllocator); /// Destructor ~CollisionDetection(); @@ -116,6 +114,12 @@ class CollisionDetection { /// Remove a body from the collision detection void removeBody(CollisionBody* body); + /// Add a pair of bodies that cannot collide with each other + void addNoCollisionPair(CollisionBody* body1, CollisionBody* body2); + + /// Remove a pair of bodies that cannot collide with each other + void removeNoCollisionPair(CollisionBody *body1, CollisionBody *body2); + /// Compute the collision detection void computeCollisionDetection(); @@ -151,7 +155,19 @@ inline void CollisionDetection::removeBody(CollisionBody* body) { // Remove the body from the broad-phase mBroadPhaseAlgorithm->removeObject(body); -} +} + +// Add a pair of bodies that cannot collide with each other +inline void CollisionDetection::addNoCollisionPair(CollisionBody* body1, + CollisionBody* body2) { + mNoCollisionPairs.insert(BroadPhasePair::computeBodiesIndexPair(body1, body2)); +} + +// Remove a pair of bodies that cannot collide with each other +inline void CollisionDetection::removeNoCollisionPair(CollisionBody* body1, + CollisionBody* body2) { + mNoCollisionPairs.erase(BroadPhasePair::computeBodiesIndexPair(body1, body2)); +} } diff --git a/src/collision/broadphase/BroadPhaseAlgorithm.h b/src/collision/broadphase/BroadPhaseAlgorithm.h index dfc78c75..79536b05 100644 --- a/src/collision/broadphase/BroadPhaseAlgorithm.h +++ b/src/collision/broadphase/BroadPhaseAlgorithm.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef BROAD_PHASE_ALGORITHM_H -#define BROAD_PHASE_ALGORITHM_H +#ifndef REACTPHYSICS3D_BROAD_PHASE_ALGORITHM_H +#define REACTPHYSICS3D_BROAD_PHASE_ALGORITHM_H // Libraries #include diff --git a/src/collision/broadphase/NoBroadPhaseAlgorithm.h b/src/collision/broadphase/NoBroadPhaseAlgorithm.h index 12a89d85..9c4ea7ca 100644 --- a/src/collision/broadphase/NoBroadPhaseAlgorithm.h +++ b/src/collision/broadphase/NoBroadPhaseAlgorithm.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef NO_BROAD_PHASE_ALGORITHM_H -#define NO_BROAD_PHASE_ALGORITHM_H +#ifndef REACTPHYSICS3D_NO_BROAD_PHASE_ALGORITHM_H +#define REACTPHYSICS3D_NO_BROAD_PHASE_ALGORITHM_H // Libraries #include "BroadPhaseAlgorithm.h" diff --git a/src/collision/broadphase/PairManager.h b/src/collision/broadphase/PairManager.h index 130b1dc6..336df403 100644 --- a/src/collision/broadphase/PairManager.h +++ b/src/collision/broadphase/PairManager.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef PAIR_MANAGER_H -#define PAIR_MANAGER_H +#ifndef REACTPHYSICS3D_PAIR_MANAGER_H +#define REACTPHYSICS3D_PAIR_MANAGER_H // Libraries #include "../../body/CollisionBody.h" @@ -127,9 +127,6 @@ class PairManager { /// This method returns an hash value for a 32 bits key. int computeHash32Bits(int key) const; - /// Return the next power of two - luint computeNextPowerOfTwo(luint number) const; - /// Reallocate memory for more pairs void reallocatePairs(); @@ -171,6 +168,9 @@ class PairManager { /// Find a pair given two body IDs BodyPair* findPair(bodyindex id1, bodyindex id2) const; + /// Return the next power of two + static luint computeNextPowerOfTwo(luint number); + /// Return a pointer to the first overlapping pair (used to /// iterate over the active pairs). BodyPair* beginOverlappingPairsPointer() const; @@ -215,7 +215,7 @@ inline bool PairManager::isDifferentPair(const BodyPair& pair1, bodyindex pair2I } // Return the next power of two of a 32bits integer using a SWAR algorithm -inline luint PairManager::computeNextPowerOfTwo(luint number) const { +inline luint PairManager::computeNextPowerOfTwo(luint number) { number |= (number >> 1); number |= (number >> 2); number |= (number >> 4); diff --git a/src/collision/broadphase/SweepAndPruneAlgorithm.cpp b/src/collision/broadphase/SweepAndPruneAlgorithm.cpp index 4a303a9e..142ec56f 100644 --- a/src/collision/broadphase/SweepAndPruneAlgorithm.cpp +++ b/src/collision/broadphase/SweepAndPruneAlgorithm.cpp @@ -35,15 +35,30 @@ using namespace reactphysics3d; using namespace std; // Initialization of static variables -bodyindex SweepAndPruneAlgorithm::INVALID_INDEX = std::numeric_limits::max(); +const bodyindex SweepAndPruneAlgorithm::INVALID_INDEX = std::numeric_limits::max(); +const luint SweepAndPruneAlgorithm::NB_SENTINELS = 2; -// Constructor of AABBInt +// Constructor that takes an AABB as input AABBInt::AABBInt(const AABB& aabb) { - for (int axis=0; axis<3; axis++) { - min[axis] = encodeFloatIntoInteger(aabb.getMin()[axis]); - max[axis] = encodeFloatIntoInteger(aabb.getMax()[axis]); - } -} + min[0] = encodeFloatIntoInteger(aabb.getMin().x); + min[1] = encodeFloatIntoInteger(aabb.getMin().y); + min[2] = encodeFloatIntoInteger(aabb.getMin().z); + + max[0] = encodeFloatIntoInteger(aabb.getMax().x); + max[1] = encodeFloatIntoInteger(aabb.getMax().y); + max[2] = encodeFloatIntoInteger(aabb.getMax().z); +} + +// Constructor that set all the axis with an minimum and maximum value +AABBInt::AABBInt(uint minValue, uint maxValue) { + min[0] = minValue; + min[1] = minValue; + min[2] = minValue; + + max[0] = maxValue; + max[1] = maxValue; + max[2] = maxValue; +} // Constructor SweepAndPruneAlgorithm::SweepAndPruneAlgorithm(CollisionDetection& collisionDetection) @@ -67,8 +82,16 @@ SweepAndPruneAlgorithm::~SweepAndPruneAlgorithm() { // Notify the broad-phase about a new object in the world /// This method adds the AABB of the object ion to broad-phase void SweepAndPruneAlgorithm::addObject(CollisionBody* body, const AABB& aabb) { + bodyindex boxIndex; - + + assert(encodeFloatIntoInteger(aabb.getMin().x) > encodeFloatIntoInteger(-FLT_MAX)); + assert(encodeFloatIntoInteger(aabb.getMin().y) > encodeFloatIntoInteger(-FLT_MAX)); + assert(encodeFloatIntoInteger(aabb.getMin().z) > encodeFloatIntoInteger(-FLT_MAX)); + assert(encodeFloatIntoInteger(aabb.getMax().x) < encodeFloatIntoInteger(FLT_MAX)); + assert(encodeFloatIntoInteger(aabb.getMax().y) < encodeFloatIntoInteger(FLT_MAX)); + assert(encodeFloatIntoInteger(aabb.getMax().z) < encodeFloatIntoInteger(FLT_MAX)); + // If the index of the first free box is valid (means that // there is a bucket in the middle of the array that doesn't // contain a box anymore because it has been removed) @@ -88,12 +111,11 @@ void SweepAndPruneAlgorithm::addObject(CollisionBody* body, const AABB& aabb) { // Move the maximum limit end-point two elements further // at the end-points array in all three axis - const luint nbSentinels = 2; - const luint indexLimitEndPoint = 2 * mNbBoxes + nbSentinels - 1; + const luint indexLimitEndPoint = 2 * mNbBoxes + NB_SENTINELS - 1; for (uint axis=0; axis<3; axis++) { EndPoint* maxLimitEndPoint = &mEndPoints[axis][indexLimitEndPoint]; - assert(mEndPoints[axis][0].boxID == INVALID_INDEX && mEndPoints[axis][0].isMin == true); - assert(maxLimitEndPoint->boxID == INVALID_INDEX && maxLimitEndPoint->isMin == false); + assert(mEndPoints[axis][0].boxID == INVALID_INDEX && mEndPoints[axis][0].isMin); + assert(maxLimitEndPoint->boxID == INVALID_INDEX && !maxLimitEndPoint->isMin); EndPoint* newMaxLimitEndPoint = &mEndPoints[axis][indexLimitEndPoint + 2]; newMaxLimitEndPoint->setValues(maxLimitEndPoint->boxID, maxLimitEndPoint->isMin, maxLimitEndPoint->value); @@ -102,15 +124,15 @@ void SweepAndPruneAlgorithm::addObject(CollisionBody* body, const AABB& aabb) { // Create a new box BoxAABB* box = &mBoxes[boxIndex]; box->body = body; - const uint minEndPointValue = encodeFloatIntoInteger(FLT_MAX - 2.0f); - const uint maxEndPointValue = encodeFloatIntoInteger(FLT_MAX - 1.0f); + const uint maxEndPointValue = encodeFloatIntoInteger(FLT_MAX) - 1; + const uint minEndPointValue = encodeFloatIntoInteger(FLT_MAX) - 2; for (uint axis=0; axis<3; axis++) { box->min[axis] = indexLimitEndPoint; box->max[axis] = indexLimitEndPoint + 1; EndPoint* minimumEndPoint = &mEndPoints[axis][box->min[axis]]; - minimumEndPoint->setValues(body->getID(), true, minEndPointValue); + minimumEndPoint->setValues(boxIndex, true, minEndPointValue); EndPoint* maximumEndPoint = &mEndPoints[axis][box->max[axis]]; - maximumEndPoint->setValues(body->getID(), false, maxEndPointValue); + maximumEndPoint->setValues(boxIndex, false, maxEndPointValue); } // Add the body pointer to box index mapping @@ -125,32 +147,60 @@ void SweepAndPruneAlgorithm::addObject(CollisionBody* body, const AABB& aabb) { updateObject(body, aabb); } -// Notify the broad-phase about a object that has been removed from the world +// Notify the broad-phase about an object that has been removed from the world void SweepAndPruneAlgorithm::removeObject(CollisionBody* body) { + assert(mNbBoxes > 0); + // Call the update method with an AABB that is very far away // in order to remove all overlapping pairs from the pair manager - const decimal max = DECIMAL_LARGEST; - const Vector3 maxVector(max, max, max); - const AABB aabb(maxVector, maxVector); - updateObject(body, aabb); + const uint maxEndPointValue = encodeFloatIntoInteger(FLT_MAX) - 1; + const uint minEndPointValue = encodeFloatIntoInteger(FLT_MAX) - 2; + const AABBInt aabbInt(minEndPointValue, maxEndPointValue); + updateObjectIntegerAABB(body, aabbInt); // Get the corresponding box bodyindex boxIndex = mMapBodyToBoxIndex.find(body)->second; - BoxAABB* box = &mBoxes[boxIndex]; + + // Remove the end-points of the box by moving the maximum end-points two elements back in + // the end-points array + const luint indexLimitEndPoint = 2 * mNbBoxes + NB_SENTINELS - 1; + for (uint axis=0; axis < 3; axis++) { + EndPoint* maxLimitEndPoint = &mEndPoints[axis][indexLimitEndPoint]; + assert(mEndPoints[axis][0].boxID == INVALID_INDEX && mEndPoints[axis][0].isMin); + assert(maxLimitEndPoint->boxID == INVALID_INDEX && !maxLimitEndPoint->isMin); + EndPoint* newMaxLimitEndPoint = &mEndPoints[axis][indexLimitEndPoint - 2]; + assert(mEndPoints[axis][indexLimitEndPoint - 1].boxID == boxIndex); + assert(!mEndPoints[axis][indexLimitEndPoint - 1].isMin); + assert(newMaxLimitEndPoint->boxID == boxIndex); + assert(newMaxLimitEndPoint->isMin); + newMaxLimitEndPoint->setValues(maxLimitEndPoint->boxID, maxLimitEndPoint->isMin, + maxLimitEndPoint->value); + } // Add the box index into the list of free indices mFreeBoxIndices.push_back(boxIndex); mMapBodyToBoxIndex.erase(body); mNbBoxes--; + + // Check if we need to shrink the allocated memory + const luint nextPowerOf2 = PairManager::computeNextPowerOfTwo((mNbBoxes-1) / 100 ); + if (nextPowerOf2 * 100 < mNbMaxBoxes) { + shrinkArrays(); + } } -// Notify the broad-phase that the AABB of an object has changed -void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) { - - // Compute the AABB with integer coordinates - AABBInt aabbInt(aabb); +// Notify the broad-phase that the AABB of an object has changed. +/// The input is an AABB with integer coordinates +void SweepAndPruneAlgorithm::updateObjectIntegerAABB(CollisionBody* body, const AABBInt& aabbInt) { + + assert(aabbInt.min[0] > encodeFloatIntoInteger(-FLT_MAX)); + assert(aabbInt.min[1] > encodeFloatIntoInteger(-FLT_MAX)); + assert(aabbInt.min[2] > encodeFloatIntoInteger(-FLT_MAX)); + assert(aabbInt.max[0] < encodeFloatIntoInteger(FLT_MAX)); + assert(aabbInt.max[1] < encodeFloatIntoInteger(FLT_MAX)); + assert(aabbInt.max[2] < encodeFloatIntoInteger(FLT_MAX)); // Get the corresponding box bodyindex boxIndex = mMapBodyToBoxIndex.find(body)->second; @@ -182,7 +232,8 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) // The minimum end-point is moving left EndPoint savedEndPoint = *currentMinEndPoint; - luint indexEndPoint = (size_t(currentMinEndPoint) - size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); + luint indexEndPoint = (size_t(currentMinEndPoint) - + size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); const luint savedEndPointIndex = indexEndPoint; while ((--currentMinEndPoint)->value > limit) { @@ -197,7 +248,8 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) // for box intersection if (box != id1) { if (testIntersect2D(*box, *id1, otherAxis1, otherAxis2) && - testIntersect1DSortedAABBs(*id1, aabbInt, startEndPointsCurrentAxis, axis)) { + testIntersect1DSortedAABBs(*id1, aabbInt, + startEndPointsCurrentAxis, axis)) { // Add an overlapping pair to the pair manager mPairManager.addPair(body, id1->body); @@ -225,13 +277,14 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) startEndPointsCurrentAxis[indexEndPoint] = savedEndPoint; } } - else if (limit > currentMinEndPoint->value) { // The minimum of the box has moved to the right + else if (limit > currentMinEndPoint->value){// The minimum of the box has moved to the right currentMinEndPoint->value = limit; // The minimum en-point is moving right EndPoint savedEndPoint = *currentMinEndPoint; - luint indexEndPoint = (size_t(currentMinEndPoint) -size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); + luint indexEndPoint = (size_t(currentMinEndPoint) - + size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); const luint savedEndPointIndex = indexEndPoint; // For each end-point between the current position of the minimum @@ -291,7 +344,8 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) currentMaxEndPoint->value = limit; EndPoint savedEndPoint = *currentMaxEndPoint; - luint indexEndPoint = (size_t(currentMaxEndPoint) -size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); + luint indexEndPoint = (size_t(currentMaxEndPoint) - + size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); const luint savedEndPointIndex = indexEndPoint; while ((++currentMaxEndPoint)->value < limit) { @@ -308,7 +362,8 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) // for box intersection if (box != id1) { if (testIntersect2D(*box, *id1, otherAxis1, otherAxis2) && - testIntersect1DSortedAABBs(*id1, aabbInt, startEndPointsCurrentAxis,axis)) { + testIntersect1DSortedAABBs(*id1, aabbInt, + startEndPointsCurrentAxis,axis)) { // Add an overlapping pair to the pair manager mPairManager.addPair(body, id1->body); @@ -340,7 +395,8 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) currentMaxEndPoint->value = limit; EndPoint savedEndPoint = *currentMaxEndPoint; - luint indexEndPoint = (size_t(currentMaxEndPoint) -size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); + luint indexEndPoint = (size_t(currentMaxEndPoint) - + size_t(startEndPointsCurrentAxis)) / sizeof(EndPoint); const luint savedEndPointIndex = indexEndPoint; // For each end-point between the current position of the maximum @@ -390,10 +446,9 @@ void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) void SweepAndPruneAlgorithm::resizeArrays() { // New number of boxes in the array - const luint nbSentinels = 2; const luint newNbMaxBoxes = mNbMaxBoxes ? 2 * mNbMaxBoxes : 100; - const luint nbEndPoints = mNbBoxes * 2 + nbSentinels; - const luint newNbEndPoints = newNbMaxBoxes * 2 + nbSentinels; + const luint nbEndPoints = mNbBoxes * 2 + NB_SENTINELS; + const luint newNbEndPoints = newNbMaxBoxes * 2 + NB_SENTINELS; // Allocate memory for the new boxes and end-points arrays BoxAABB* newBoxesArray = new BoxAABB[newNbMaxBoxes]; @@ -409,18 +464,18 @@ void SweepAndPruneAlgorithm::resizeArrays() { // If the arrays were not empty before if (mNbBoxes > 0) { - // Copy the data in the old arrays into the new one + // Copy the data from the old arrays into the new one memcpy(newBoxesArray, mBoxes, sizeof(BoxAABB) * mNbBoxes); - size_t nbBytesNewEndPoints = sizeof(EndPoint) * nbEndPoints; + const size_t nbBytesNewEndPoints = sizeof(EndPoint) * nbEndPoints; memcpy(newEndPointsXArray, mEndPoints[0], nbBytesNewEndPoints); memcpy(newEndPointsYArray, mEndPoints[1], nbBytesNewEndPoints); memcpy(newEndPointsZArray, mEndPoints[2], nbBytesNewEndPoints); } else { // If the arrays were empty - + // Add the limits endpoints (sentinels) into the array - const uint min = encodeFloatIntoInteger(DECIMAL_SMALLEST); - const uint max = encodeFloatIntoInteger(DECIMAL_LARGEST); + const uint min = encodeFloatIntoInteger(-FLT_MAX); + const uint max = encodeFloatIntoInteger(FLT_MAX); newEndPointsXArray[0].setValues(INVALID_INDEX, true, min); newEndPointsXArray[1].setValues(INVALID_INDEX, false, max); newEndPointsYArray[0].setValues(INVALID_INDEX, true, min); @@ -443,3 +498,99 @@ void SweepAndPruneAlgorithm::resizeArrays() { mNbMaxBoxes = newNbMaxBoxes; } + +// Shrink the boxes and end-points arrays when too much memory is allocated +void SweepAndPruneAlgorithm::shrinkArrays() { + + // New number of boxes and end-points in the array + const luint nextPowerOf2 = PairManager::computeNextPowerOfTwo((mNbBoxes-1) / 100 ); + const luint newNbMaxBoxes = (mNbBoxes > 100) ? nextPowerOf2 * 100 : 100; + const luint nbEndPoints = mNbBoxes * 2 + NB_SENTINELS; + const luint newNbEndPoints = newNbMaxBoxes * 2 + NB_SENTINELS; + + assert(newNbMaxBoxes < mNbMaxBoxes); + + // Sort the list of the free boxes indices in ascending order + mFreeBoxIndices.sort(); + + // Reorganize the boxes inside the boxes array so that all the boxes are at the + // beginning of the array + std::map newMapBodyToBoxIndex; + std::map::const_iterator it; + for (it = mMapBodyToBoxIndex.begin(); it != mMapBodyToBoxIndex.end(); ++it) { + + CollisionBody* body = it->first; + bodyindex boxIndex = it->second; + + // If the box index is outside the range of the current number of boxes + if (boxIndex >= mNbBoxes) { + + assert(!mFreeBoxIndices.empty()); + + // Get a new box index for that body (from the list of free box indices) + bodyindex newBoxIndex = mFreeBoxIndices.front(); + mFreeBoxIndices.pop_front(); + assert(newBoxIndex < mNbBoxes); + + // Copy the box to its new location in the boxes array + BoxAABB* oldBox = &mBoxes[boxIndex]; + BoxAABB* newBox = &mBoxes[newBoxIndex]; + assert(oldBox->body->getID() == body->getID()); + newBox->body = oldBox->body; + for (uint axis=0; axis<3; axis++) { + + // Copy the minimum and maximum end-points indices + newBox->min[axis] = oldBox->min[axis]; + newBox->max[axis] = oldBox->max[axis]; + + // Update the box index of the end-points + EndPoint* minimumEndPoint = &mEndPoints[axis][newBox->min[axis]]; + EndPoint* maximumEndPoint = &mEndPoints[axis][newBox->max[axis]]; + assert(minimumEndPoint->boxID == boxIndex); + assert(maximumEndPoint->boxID == boxIndex); + minimumEndPoint->boxID = newBoxIndex; + maximumEndPoint->boxID = newBoxIndex; + } + + newMapBodyToBoxIndex.insert(pair(body, newBoxIndex)); + } + else { + newMapBodyToBoxIndex.insert(pair(body, boxIndex)); + } + } + + assert(newMapBodyToBoxIndex.size() == mMapBodyToBoxIndex.size()); + mMapBodyToBoxIndex = newMapBodyToBoxIndex; + + // Allocate memory for the new boxes and end-points arrays + BoxAABB* newBoxesArray = new BoxAABB[newNbMaxBoxes]; + EndPoint* newEndPointsXArray = new EndPoint[newNbEndPoints]; + EndPoint* newEndPointsYArray = new EndPoint[newNbEndPoints]; + EndPoint* newEndPointsZArray = new EndPoint[newNbEndPoints]; + + assert(newBoxesArray != NULL); + assert(newEndPointsXArray != NULL); + assert(newEndPointsYArray != NULL); + assert(newEndPointsZArray != NULL); + + // Copy the data from the old arrays into the new one + memcpy(newBoxesArray, mBoxes, sizeof(BoxAABB) * mNbBoxes); + const size_t nbBytesNewEndPoints = sizeof(EndPoint) * nbEndPoints; + memcpy(newEndPointsXArray, mEndPoints[0], nbBytesNewEndPoints); + memcpy(newEndPointsYArray, mEndPoints[1], nbBytesNewEndPoints); + memcpy(newEndPointsZArray, mEndPoints[2], nbBytesNewEndPoints); + + // Delete the old arrays + delete[] mBoxes; + delete[] mEndPoints[0]; + delete[] mEndPoints[1]; + delete[] mEndPoints[2]; + + // Assign the pointer to the new arrays + mBoxes = newBoxesArray; + mEndPoints[0] = newEndPointsXArray; + mEndPoints[1] = newEndPointsYArray; + mEndPoints[2] = newEndPointsZArray; + + mNbMaxBoxes = newNbMaxBoxes; +} diff --git a/src/collision/broadphase/SweepAndPruneAlgorithm.h b/src/collision/broadphase/SweepAndPruneAlgorithm.h index e3c9c537..a4e2594b 100644 --- a/src/collision/broadphase/SweepAndPruneAlgorithm.h +++ b/src/collision/broadphase/SweepAndPruneAlgorithm.h @@ -23,19 +23,20 @@ * * ********************************************************************************/ -#ifndef SWEEP_AND_PRUNE_ALGORITHM_H -#define SWEEP_AND_PRUNE_ALGORITHM_H +#ifndef REACTPHYSICS3D_SWEEP_AND_PRUNE_ALGORITHM_H +#define REACTPHYSICS3D_SWEEP_AND_PRUNE_ALGORITHM_H // Libraries #include "BroadPhaseAlgorithm.h" #include "../../collision/shapes/AABB.h" #include #include +#include /// Namespace ReactPhysics3D namespace reactphysics3d { - + // Structure EndPoint /** * EndPoint structure that represent an end-point of an AABB @@ -94,8 +95,11 @@ struct AABBInt { /// Maximum values on the three axis uint max[3]; - /// Constructor + /// Constructor that takes an AABB as input AABBInt(const AABB& aabb); + + /// Constructor that set all the axis with an minimum and maximum value + AABBInt(uint minValue, uint maxValue); }; // Class SweepAndPruneAlgorithm @@ -109,10 +113,15 @@ class SweepAndPruneAlgorithm : public BroadPhaseAlgorithm { protected : - // -------------------- Attributes -------------------- // + // -------------------- Constants -------------------- // /// Invalid array index - static bodyindex INVALID_INDEX; + const static bodyindex INVALID_INDEX; + + /// Number of sentinel end-points in the array of a given axis + const static luint NB_SENTINELS; + + // -------------------- Attributes -------------------- // /// Array that contains all the AABB boxes of the broad-phase BoxAABB* mBoxes; @@ -127,7 +136,7 @@ class SweepAndPruneAlgorithm : public BroadPhaseAlgorithm { bodyindex mNbMaxBoxes; /// Indices that are not used by any boxes - std::vector mFreeBoxIndices; + std::list mFreeBoxIndices; /// Map a body pointer to a box index std::map mMapBodyToBoxIndex; @@ -143,6 +152,9 @@ class SweepAndPruneAlgorithm : public BroadPhaseAlgorithm { /// Resize the boxes and end-points arrays when it's full void resizeArrays(); + /// Shrink the boxes and end-points arrays when too much memory is allocated + void shrinkArrays(); + /// Add an overlapping pair of AABBS void addPair(CollisionBody* body1, CollisionBody* body2); @@ -153,6 +165,9 @@ class SweepAndPruneAlgorithm : public BroadPhaseAlgorithm { /// Check for 2D box intersection. bool testIntersect2D(const BoxAABB& box1, const BoxAABB& box2, luint axis1, uint axis2) const; + + /// Notify the broad-phase that the AABB of an object has changed. + void updateObjectIntegerAABB(CollisionBody* body, const AABBInt& aabbInt); public : @@ -211,7 +226,17 @@ inline bool SweepAndPruneAlgorithm::testIntersect2D(const BoxAABB& box1, const B luint axis1, uint axis2) const { return !(box2.max[axis1] < box1.min[axis1] || box1.max[axis1] < box2.min[axis1] || box2.max[axis2] < box1.min[axis2] || box1.max[axis2] < box2.min[axis2]); -} +} + +// Notify the broad-phase that the AABB of an object has changed +inline void SweepAndPruneAlgorithm::updateObject(CollisionBody* body, const AABB& aabb) { + + // Compute the corresponding AABB with integer coordinates + AABBInt aabbInt(aabb); + + // Call the update object method that uses an AABB with integer coordinates + updateObjectIntegerAABB(body, aabbInt); +} } diff --git a/src/collision/narrowphase/EPA/EPAAlgorithm.cpp b/src/collision/narrowphase/EPA/EPAAlgorithm.cpp index 151a7f6c..6268da6b 100644 --- a/src/collision/narrowphase/EPA/EPAAlgorithm.cpp +++ b/src/collision/narrowphase/EPA/EPAAlgorithm.cpp @@ -32,8 +32,8 @@ using namespace reactphysics3d; // Constructor -EPAAlgorithm::EPAAlgorithm(MemoryPool& memoryPoolContactInfos) - : mMemoryPoolContactInfos(memoryPoolContactInfos) { +EPAAlgorithm::EPAAlgorithm(MemoryAllocator& memoryAllocator) + : mMemoryAllocator(memoryAllocator) { } @@ -83,11 +83,11 @@ int EPAAlgorithm::isOriginInTetrahedron(const Vector3& p1, const Vector3& p2, /// GJK algorithm. The EPA Algorithm will extend this simplex polytope to find /// the correct penetration depth bool EPAAlgorithm::computePenetrationDepthAndContactPoints(const Simplex& simplex, - const CollisionShape* collisionShape1, + CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - Vector3& v, ContactInfo*& contactInfo) { + Vector3& v, ContactPointInfo*& contactInfo) { Vector3 suppPointsA[MAX_SUPPORT_POINTS]; // Support points of object A in local coordinates Vector3 suppPointsB[MAX_SUPPORT_POINTS]; // Support points of object B in local coordinates @@ -98,7 +98,7 @@ bool EPAAlgorithm::computePenetrationDepthAndContactPoints(const Simplex& simple // Transform a point from local space of body 2 to local // space of body 1 (the GJK algorithm is done in local space of body 1) - Transform body2Tobody1 = transform1.inverse() * transform2; + Transform body2Tobody1 = transform1.getInverse() * transform2; // Matrix that transform a direction from local // space of body 1 into local space of body 2 @@ -143,7 +143,7 @@ bool EPAAlgorithm::computePenetrationDepthAndContactPoints(const Simplex& simple int minAxis = d.getAbsoluteVector().getMinAxis(); // Compute sin(60) - const decimal sin60 = sqrt(3.0) * 0.5; + const decimal sin60 = decimal(sqrt(3.0)) * decimal(0.5); // Create a rotation quaternion to rotate the vector v1 to get the vectors // v2 and v3 @@ -394,13 +394,13 @@ bool EPAAlgorithm::computePenetrationDepthAndContactPoints(const Simplex& simple // Compute the contact info v = transform1.getOrientation().getMatrix() * triangle->getClosestPoint(); Vector3 pALocal = triangle->computeClosestPointOfObject(suppPointsA); - Vector3 pBLocal = body2Tobody1.inverse() * triangle->computeClosestPointOfObject(suppPointsB); + Vector3 pBLocal = body2Tobody1.getInverse() * triangle->computeClosestPointOfObject(suppPointsB); Vector3 normal = v.getUnit(); decimal penetrationDepth = v.length(); assert(penetrationDepth > 0.0); // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo(normal, + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo(normal, penetrationDepth, pALocal, pBLocal); diff --git a/src/collision/narrowphase/EPA/EPAAlgorithm.h b/src/collision/narrowphase/EPA/EPAAlgorithm.h index 4fcdd3be..8a03f2cb 100644 --- a/src/collision/narrowphase/EPA/EPAAlgorithm.h +++ b/src/collision/narrowphase/EPA/EPAAlgorithm.h @@ -23,16 +23,16 @@ * * ********************************************************************************/ -#ifndef EPA_ALGORITHM_H -#define EPA_ALGORITHM_H +#ifndef REACTPHYSICS3D_EPA_ALGORITHM_H +#define REACTPHYSICS3D_EPA_ALGORITHM_H // Libraries #include "../GJK/Simplex.h" #include "../../shapes/CollisionShape.h" -#include "../../ContactInfo.h" +#include "../../../constraint/ContactPoint.h" #include "../../../mathematics/mathematics.h" #include "TriangleEPA.h" -#include "../../../memory/MemoryPool.h" +#include "../../../memory/MemoryAllocator.h" #include /// ReactPhysics3D namespace @@ -85,8 +85,8 @@ class EPAAlgorithm { // -------------------- Attributes -------------------- // - /// Reference to the memory pool - MemoryPool& mMemoryPoolContactInfos; + /// Reference to the memory allocator + MemoryAllocator& mMemoryAllocator; /// Triangle comparison operator TriangleComparison mTriangleComparison; @@ -112,18 +112,18 @@ class EPAAlgorithm { // -------------------- Methods -------------------- // /// Constructor - EPAAlgorithm(MemoryPool& memoryPoolContactInfos); + EPAAlgorithm(MemoryAllocator& memoryAllocator); /// Destructor ~EPAAlgorithm(); /// Compute the penetration depth with EPA algorithm. bool computePenetrationDepthAndContactPoints(const Simplex& simplex, - const CollisionShape* collisionShape1, + CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - Vector3& v, ContactInfo*& contactInfo); + Vector3& v, ContactPointInfo*& contactInfo); }; // Add a triangle face in the candidate triangle heap in the EPA algorithm diff --git a/src/collision/narrowphase/EPA/EdgeEPA.h b/src/collision/narrowphase/EPA/EdgeEPA.h index c3c7ec01..ef6e9873 100644 --- a/src/collision/narrowphase/EPA/EdgeEPA.h +++ b/src/collision/narrowphase/EPA/EdgeEPA.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef EDGE_EPA_H -#define EDGE_EPA_H +#ifndef REACTPHYSICS3D_EDGE_EPA_H +#define REACTPHYSICS3D_EDGE_EPA_H // Libraries diff --git a/src/collision/narrowphase/EPA/TriangleEPA.h b/src/collision/narrowphase/EPA/TriangleEPA.h index 1d4a195c..4e83c2d6 100644 --- a/src/collision/narrowphase/EPA/TriangleEPA.h +++ b/src/collision/narrowphase/EPA/TriangleEPA.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef TRIANGLE_EPA_H -#define TRIANGLE_EPA_H +#ifndef REACTPHYSICS3D_TRIANGLE_EPA_H +#define REACTPHYSICS3D_TRIANGLE_EPA_H // Libraries #include "../../../mathematics/mathematics.h" diff --git a/src/collision/narrowphase/EPA/TrianglesStore.h b/src/collision/narrowphase/EPA/TrianglesStore.h index f0ab8aab..bd273b94 100644 --- a/src/collision/narrowphase/EPA/TrianglesStore.h +++ b/src/collision/narrowphase/EPA/TrianglesStore.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef TRIANGLES_STORE_H -#define TRIANGLES_STORE_H +#ifndef REACTPHYSICS3D_TRIANGLES_STORE_H +#define REACTPHYSICS3D_TRIANGLES_STORE_H #include "TriangleEPA.h" diff --git a/src/collision/narrowphase/GJK/GJKAlgorithm.cpp b/src/collision/narrowphase/GJK/GJKAlgorithm.cpp index 7e6814d1..6ab3e959 100644 --- a/src/collision/narrowphase/GJK/GJKAlgorithm.cpp +++ b/src/collision/narrowphase/GJK/GJKAlgorithm.cpp @@ -37,8 +37,8 @@ using namespace reactphysics3d; // Constructor -GJKAlgorithm::GJKAlgorithm(MemoryPool& memoryPoolContactInfos) - :NarrowPhaseAlgorithm(memoryPoolContactInfos), mAlgoEPA(memoryPoolContactInfos) { +GJKAlgorithm::GJKAlgorithm(MemoryAllocator& memoryAllocator) + :NarrowPhaseAlgorithm(memoryAllocator), mAlgoEPA(memoryAllocator) { } @@ -57,11 +57,11 @@ GJKAlgorithm::~GJKAlgorithm() { /// algorithm on the enlarged object to obtain a simplex polytope that contains the /// origin, they we give that simplex polytope to the EPA algorithm which will compute /// the correct penetration depth and contact points between the enlarged objects. -bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, +bool GJKAlgorithm::testCollision(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo) { + ContactPointInfo*& contactInfo) { Vector3 suppA; // Support point of object A Vector3 suppB; // Support point of object B @@ -73,7 +73,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, // Transform a point from local space of body 2 to local // space of body 1 (the GJK algorithm is done in local space of body 1) - Transform body2Tobody1 = transform1.inverse() * transform2; + Transform body2Tobody1 = transform1.getInverse() * transform2; // Matrix that transform a direction from local // space of body 1 into local space of body 2 @@ -127,7 +127,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, decimal dist = sqrt(distSquare); assert(dist > 0.0); pA = (pA - (collisionShape1->getMargin() / dist) * v); - pB = body2Tobody1.inverse() * (pB + (collisionShape2->getMargin() / dist) * v); + pB = body2Tobody1.getInverse() * (pB + (collisionShape2->getMargin() / dist) * v); // Compute the contact info Vector3 normal = transform1.getOrientation().getMatrix() * (-v.getUnit()); @@ -137,7 +137,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, if (penetrationDepth <= 0.0) return false; // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo(normal, + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo(normal, penetrationDepth, pA, pB); @@ -159,7 +159,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, decimal dist = sqrt(distSquare); assert(dist > 0.0); pA = (pA - (collisionShape1->getMargin() / dist) * v); - pB = body2Tobody1.inverse() * (pB + (collisionShape2->getMargin() / dist) * v); + pB = body2Tobody1.getInverse() * (pB + (collisionShape2->getMargin() / dist) * v); // Compute the contact info Vector3 normal = transform1.getOrientation().getMatrix() * (-v.getUnit()); @@ -169,7 +169,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, if (penetrationDepth <= 0.0) return false; // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo(normal, + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo(normal, penetrationDepth, pA, pB); @@ -189,7 +189,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, decimal dist = sqrt(distSquare); assert(dist > 0.0); pA = (pA - (collisionShape1->getMargin() / dist) * v); - pB = body2Tobody1.inverse() * (pB + (collisionShape2->getMargin() / dist) * v); + pB = body2Tobody1.getInverse() * (pB + (collisionShape2->getMargin() / dist) * v); // Compute the contact info Vector3 normal = transform1.getOrientation().getMatrix() * (-v.getUnit()); @@ -199,7 +199,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, if (penetrationDepth <= 0.0) return false; // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo(normal, + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo(normal, penetrationDepth, pA, pB); @@ -226,7 +226,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, decimal dist = sqrt(distSquare); assert(dist > 0.0); pA = (pA - (collisionShape1->getMargin() / dist) * v); - pB = body2Tobody1.inverse() * (pB + (collisionShape2->getMargin() / dist) * v); + pB = body2Tobody1.getInverse() * (pB + (collisionShape2->getMargin() / dist) * v); // Compute the contact info Vector3 normal = transform1.getOrientation().getMatrix() * (-v.getUnit()); @@ -236,7 +236,7 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, if (penetrationDepth <= 0.0) return false; // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo(normal, + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo(normal, penetrationDepth, pA, pB); @@ -259,11 +259,11 @@ bool GJKAlgorithm::testCollision(const CollisionShape* collisionShape1, /// assumed to intersect in the original objects (without margin). Therefore such /// a polytope must exist. Then, we give that polytope to the EPA algorithm to /// compute the correct penetration depth and contact points of the enlarged objects. -bool GJKAlgorithm::computePenetrationDepthForEnlargedObjects(const CollisionShape* collisionShape1, +bool GJKAlgorithm::computePenetrationDepthForEnlargedObjects(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo, + ContactPointInfo*& contactInfo, Vector3& v) { Simplex simplex; Vector3 suppA; @@ -275,7 +275,7 @@ bool GJKAlgorithm::computePenetrationDepthForEnlargedObjects(const CollisionShap // Transform a point from local space of body 2 to local space // of body 1 (the GJK algorithm is done in local space of body 1) - Transform body2ToBody1 = transform1.inverse() * transform2; + Transform body2ToBody1 = transform1.getInverse() * transform2; // Matrix that transform a direction from local space of body 1 into local space of body 2 Matrix3x3 rotateToBody2 = transform2.getOrientation().getMatrix().getTranspose() * diff --git a/src/collision/narrowphase/GJK/GJKAlgorithm.h b/src/collision/narrowphase/GJK/GJKAlgorithm.h index 6214d825..dae18d66 100644 --- a/src/collision/narrowphase/GJK/GJKAlgorithm.h +++ b/src/collision/narrowphase/GJK/GJKAlgorithm.h @@ -23,12 +23,12 @@ * * ********************************************************************************/ -#ifndef GJK_ALGORITHM_H -#define GJK_ALGORITHM_H +#ifndef REACTPHYSICS3D_GJK_ALGORITHM_H +#define REACTPHYSICS3D_GJK_ALGORITHM_H // Libraries #include "../NarrowPhaseAlgorithm.h" -#include "../../ContactInfo.h" +#include "../../../constraint/ContactPoint.h" #include "../../../collision/shapes/CollisionShape.h" #include "../EPA/EPAAlgorithm.h" @@ -45,12 +45,12 @@ const decimal REL_ERROR_SQUARE = REL_ERROR * REL_ERROR; * This class implements a narrow-phase collision detection algorithm. This * algorithm uses the ISA-GJK algorithm and the EPA algorithm. This * implementation is based on the implementation discussed in the book - * "Collision Detection in 3D Environments". + * "Collision Detection in Interactive 3D Environments" by Gino van den Bergen. * This method implements the Hybrid Technique for calculating the * penetration depth. The two objects are enlarged with a small margin. If - * the object intersection, the penetration depth is quickly computed using - * GJK algorithm on the original objects (without margin). If the - * original objects (without margin) intersect, we run again the GJK + * the object intersects in their margins, the penetration depth is quickly + * computed using the GJK algorithm on the original objects (without margin). + * If the original objects (without margin) intersect, we run again the GJK * algorithm on the enlarged objects (with margin) to compute simplex * polytope that contains the origin and give it to the EPA (Expanding * Polytope Algorithm) to compute the correct penetration depth between the @@ -74,28 +74,28 @@ class GJKAlgorithm : public NarrowPhaseAlgorithm { GJKAlgorithm& operator=(const GJKAlgorithm& algorithm); /// Compute the penetration depth for enlarged objects. - bool computePenetrationDepthForEnlargedObjects(const CollisionShape* collisionShape1, + bool computePenetrationDepthForEnlargedObjects(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo, Vector3& v); + ContactPointInfo*& contactInfo, Vector3& v); public : // -------------------- Methods -------------------- // /// Constructor - GJKAlgorithm(MemoryPool& memoryPoolContactInfos); + GJKAlgorithm(MemoryAllocator& memoryAllocator); /// Destructor ~GJKAlgorithm(); /// Return true and compute a contact info if the two bounding volumes collide. - virtual bool testCollision(const CollisionShape* collisionShape1, + virtual bool testCollision(CollisionShape *collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape *collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo); + ContactPointInfo*& contactInfo); }; } diff --git a/src/collision/narrowphase/GJK/Simplex.h b/src/collision/narrowphase/GJK/Simplex.h index a8db761a..ab1a56c9 100644 --- a/src/collision/narrowphase/GJK/Simplex.h +++ b/src/collision/narrowphase/GJK/Simplex.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef SIMPLEX_H -#define SIMPLEX_H +#ifndef REACTPHYSICS3D_SIMPLEX_H +#define REACTPHYSICS3D_SIMPLEX_H // Libraries #include "../../../mathematics/mathematics.h" diff --git a/src/collision/narrowphase/NarrowPhaseAlgorithm.cpp b/src/collision/narrowphase/NarrowPhaseAlgorithm.cpp index 0b214ea0..91a1e4d5 100644 --- a/src/collision/narrowphase/NarrowPhaseAlgorithm.cpp +++ b/src/collision/narrowphase/NarrowPhaseAlgorithm.cpp @@ -30,8 +30,8 @@ using namespace reactphysics3d; // Constructor -NarrowPhaseAlgorithm::NarrowPhaseAlgorithm(MemoryPool& memoryPool) - :mMemoryPoolContactInfos(memoryPool), mCurrentOverlappingPair(NULL) { +NarrowPhaseAlgorithm::NarrowPhaseAlgorithm(MemoryAllocator& memoryAllocator) + :mMemoryAllocator(memoryAllocator), mCurrentOverlappingPair(NULL) { } diff --git a/src/collision/narrowphase/NarrowPhaseAlgorithm.h b/src/collision/narrowphase/NarrowPhaseAlgorithm.h index 8dea2ca8..3dd5d086 100644 --- a/src/collision/narrowphase/NarrowPhaseAlgorithm.h +++ b/src/collision/narrowphase/NarrowPhaseAlgorithm.h @@ -23,20 +23,20 @@ * * ********************************************************************************/ -#ifndef NARROW_PHASE_ALGORITHM_H -#define NARROW_PHASE_ALGORITHM_H +#ifndef REACTPHYSICS3D_NARROW_PHASE_ALGORITHM_H +#define REACTPHYSICS3D_NARROW_PHASE_ALGORITHM_H // Libraries #include "../../body/Body.h" -#include "../ContactInfo.h" +#include "../../constraint/ContactPoint.h" #include "../broadphase/PairManager.h" -#include "../../memory/MemoryPool.h" +#include "../../memory/MemoryAllocator.h" #include "../BroadPhasePair.h" /// Namespace ReactPhysics3D namespace reactphysics3d { - + // Class NarrowPhaseAlgorithm /** * This class is an abstract class that represents an algorithm @@ -50,8 +50,8 @@ class NarrowPhaseAlgorithm { // -------------------- Attributes -------------------- // - /// Reference to the memory pool - MemoryPool& mMemoryPoolContactInfos; + /// Reference to the memory allocator + MemoryAllocator& mMemoryAllocator; /// Overlapping pair of the bodies currently tested for collision BroadPhasePair* mCurrentOverlappingPair; @@ -69,7 +69,7 @@ class NarrowPhaseAlgorithm { // -------------------- Methods -------------------- // /// Constructor - NarrowPhaseAlgorithm(MemoryPool& memoryPool); + NarrowPhaseAlgorithm(MemoryAllocator& memoryAllocator); /// Destructor virtual ~NarrowPhaseAlgorithm(); @@ -78,11 +78,11 @@ class NarrowPhaseAlgorithm { void setCurrentOverlappingPair(BroadPhasePair* overlappingPair); /// Return true and compute a contact info if the two bounding volume collide - virtual bool testCollision(const CollisionShape* collisionShape1, + virtual bool testCollision(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo)=0; + ContactPointInfo*& contactInfo)=0; }; // Set the current overlapping pair of bodies diff --git a/src/collision/narrowphase/SphereVsSphereAlgorithm.cpp b/src/collision/narrowphase/SphereVsSphereAlgorithm.cpp index cded8912..539cb487 100644 --- a/src/collision/narrowphase/SphereVsSphereAlgorithm.cpp +++ b/src/collision/narrowphase/SphereVsSphereAlgorithm.cpp @@ -31,8 +31,8 @@ using namespace reactphysics3d; // Constructor -SphereVsSphereAlgorithm::SphereVsSphereAlgorithm(MemoryPool& memoryPoolContactInfos) - :NarrowPhaseAlgorithm(memoryPoolContactInfos) { +SphereVsSphereAlgorithm::SphereVsSphereAlgorithm(MemoryAllocator& memoryAllocator) + :NarrowPhaseAlgorithm(memoryAllocator) { } @@ -41,11 +41,11 @@ SphereVsSphereAlgorithm::~SphereVsSphereAlgorithm() { } -bool SphereVsSphereAlgorithm::testCollision(const CollisionShape* collisionShape1, +bool SphereVsSphereAlgorithm::testCollision(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo) { + ContactPointInfo*& contactInfo) { // Get the sphere collision shapes const SphereShape* sphereShape1 = dynamic_cast(collisionShape1); @@ -60,8 +60,8 @@ bool SphereVsSphereAlgorithm::testCollision(const CollisionShape* collisionShape // If the sphere collision shapes intersect if (squaredDistanceBetweenCenters <= sumRadius * sumRadius) { - Vector3 centerSphere2InBody1LocalSpace = transform1.inverse() * transform2.getPosition(); - Vector3 centerSphere1InBody2LocalSpace = transform2.inverse() * transform1.getPosition(); + Vector3 centerSphere2InBody1LocalSpace = transform1.getInverse() * transform2.getPosition(); + Vector3 centerSphere1InBody2LocalSpace = transform2.getInverse() * transform1.getPosition(); Vector3 intersectionOnBody1 = sphereShape1->getRadius() * centerSphere2InBody1LocalSpace.getUnit(); Vector3 intersectionOnBody2 = sphereShape2->getRadius() * @@ -69,7 +69,7 @@ bool SphereVsSphereAlgorithm::testCollision(const CollisionShape* collisionShape decimal penetrationDepth = sumRadius - std::sqrt(squaredDistanceBetweenCenters); // Create the contact info object - contactInfo = new (mMemoryPoolContactInfos.allocateObject()) ContactInfo( + contactInfo = new (mMemoryAllocator.allocate(sizeof(ContactPointInfo))) ContactPointInfo( vectorBetweenCenters.getUnit(), penetrationDepth, intersectionOnBody1, intersectionOnBody2); diff --git a/src/collision/narrowphase/SphereVsSphereAlgorithm.h b/src/collision/narrowphase/SphereVsSphereAlgorithm.h index bb966df1..f5c6cc18 100644 --- a/src/collision/narrowphase/SphereVsSphereAlgorithm.h +++ b/src/collision/narrowphase/SphereVsSphereAlgorithm.h @@ -23,12 +23,12 @@ * * ********************************************************************************/ -#ifndef SPHERE_VS_SPHERE_ALGORITHM_H -#define SPHERE_VS_SPHERE_ALGORITHM_H +#ifndef REACTPHYSICS3D_SPHERE_VS_SPHERE_ALGORITHM_H +#define REACTPHYSICS3D_SPHERE_VS_SPHERE_ALGORITHM_H // Libraries #include "../../body/Body.h" -#include "../ContactInfo.h" +#include "../../constraint/ContactPoint.h" #include "NarrowPhaseAlgorithm.h" @@ -57,17 +57,17 @@ class SphereVsSphereAlgorithm : public NarrowPhaseAlgorithm { // -------------------- Methods -------------------- // /// Constructor - SphereVsSphereAlgorithm(MemoryPool& memoryPoolContactInfos); + SphereVsSphereAlgorithm(MemoryAllocator& memoryAllocator); /// Destructor virtual ~SphereVsSphereAlgorithm(); /// Return true and compute a contact info if the two bounding volume collide - virtual bool testCollision(const CollisionShape* collisionShape1, + virtual bool testCollision(CollisionShape* collisionShape1, const Transform& transform1, - const CollisionShape* collisionShape2, + CollisionShape* collisionShape2, const Transform& transform2, - ContactInfo*& contactInfo); + ContactPointInfo*& contactInfo); }; } diff --git a/src/collision/shapes/AABB.cpp b/src/collision/shapes/AABB.cpp index 93498d70..4e65edef 100644 --- a/src/collision/shapes/AABB.cpp +++ b/src/collision/shapes/AABB.cpp @@ -28,25 +28,12 @@ #include "../../configuration.h" #include -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - using namespace reactphysics3d; using namespace std; // Constructor AABB::AABB() { - + } // Constructor @@ -60,52 +47,3 @@ AABB::~AABB() { } -#ifdef VISUAL_DEBUG -// Draw the AABB (only for testing purpose) -void AABB::draw() const { - - // Draw in red - glColor3f(1.0, 0.0, 0.0); - - // Draw the AABB - glBegin(GL_LINES); - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMinCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMinCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMaxCoordinates.y, mMaxCoordinates.z); - - glVertex3f(mMinCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - glVertex3f(mMaxCoordinates.x, mMinCoordinates.y, mMaxCoordinates.z); - - glEnd(); -} -#endif - diff --git a/src/collision/shapes/AABB.h b/src/collision/shapes/AABB.h index 037fa2d4..ad6dd20b 100644 --- a/src/collision/shapes/AABB.h +++ b/src/collision/shapes/AABB.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef AABB_H -#define AABB_H +#ifndef REACTPHYSICS3D_AABB_H +#define REACTPHYSICS3D_AABB_H // Libraries #include "../../mathematics/mathematics.h" @@ -97,11 +97,6 @@ class AABB { /// Return true if the current AABB is overlapping with the AABB in argument bool testCollision(const AABB& aabb) const; - -#ifdef VISUAL_DEBUG - /// Draw the AABB (only for testing purpose) - virtual void draw() const; -#endif }; // Return the center point of the AABB in world coordinates diff --git a/src/collision/shapes/BoxShape.cpp b/src/collision/shapes/BoxShape.cpp index a521acc7..1914f87f 100644 --- a/src/collision/shapes/BoxShape.cpp +++ b/src/collision/shapes/BoxShape.cpp @@ -29,24 +29,19 @@ #include #include -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - using namespace reactphysics3d; -using namespace std; // Constructor -BoxShape::BoxShape(const Vector3& extent) : CollisionShape(BOX), mExtent(extent) { +BoxShape::BoxShape(const Vector3& extent, decimal margin) + : CollisionShape(BOX, margin), mExtent(extent - Vector3(margin, margin, margin)) { + assert(extent.x > decimal(0.0) && extent.x > margin); + assert(extent.y > decimal(0.0) && extent.y > margin); + assert(extent.z > decimal(0.0) && extent.z > margin); + assert(margin > decimal(0.0)); +} + +// Private copy-constructor +BoxShape::BoxShape(const BoxShape& shape) : CollisionShape(shape), mExtent(shape.mExtent) { } @@ -58,62 +53,11 @@ BoxShape::~BoxShape() { // Return the local inertia tensor of the collision shape void BoxShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const { decimal factor = (decimal(1.0) / decimal(3.0)) * mass; - decimal xSquare = mExtent.x * mExtent.x; - decimal ySquare = mExtent.y * mExtent.y; - decimal zSquare = mExtent.z * mExtent.z; + Vector3 realExtent = mExtent + Vector3(mMargin, mMargin, mMargin); + decimal xSquare = realExtent.x * realExtent.x; + decimal ySquare = realExtent.y * realExtent.y; + decimal zSquare = realExtent.z * realExtent.z; tensor.setAllValues(factor * (ySquare + zSquare), 0.0, 0.0, 0.0, factor * (xSquare + zSquare), 0.0, 0.0, 0.0, factor * (xSquare + ySquare)); } - -#ifdef VISUAL_DEBUG -// Draw the Box (only for testing purpose) -void BoxShape::draw() const { - decimal e1 = mExtent.x; - decimal e2 = mExtent.y; - decimal e3 = mExtent.z; - - // Draw in red - glColor3f(1.0, 0.0, 0.0); - - // Draw the Box - glBegin(GL_LINES); - glVertex3f(e1, -e2, -e3); - glVertex3f(e1, e2, -e3); - - glVertex3f(e1, -e2, -e3); - glVertex3f(e1, -e2, e3); - - glVertex3f(e1, -e2, e3); - glVertex3f(e1, e2, e3); - - glVertex3f(e1, e2, e3); - glVertex3f(e1, e2, -e3); - - glVertex3f(-e1, -e2, -e3); - glVertex3f(-e1, e2, -e3); - - glVertex3f(-e1, -e2, -e3); - glVertex3f(-e1, -e2, e3); - - glVertex3f(-e1, -e2, e3); - glVertex3f(-e1, e2, e3); - - glVertex3f(-e1, e2, e3); - glVertex3f(-e1, e2, -e3); - - glVertex3f(e1, -e2, -e3); - glVertex3f(-e1, -e2, -e3); - - glVertex3f(e1, -e2, -e3); - glVertex3f(-e1, -e2, -e3); - - glVertex3f(e1, -e2, e3); - glVertex3f(-e1, -e2, e3); - - glVertex3f(e1, e2, e3); - glVertex3f(-e1, e2, e3); - - glEnd(); -} -#endif diff --git a/src/collision/shapes/BoxShape.h b/src/collision/shapes/BoxShape.h index 3f6134ba..f53ebc70 100644 --- a/src/collision/shapes/BoxShape.h +++ b/src/collision/shapes/BoxShape.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef BOX_SHAPE_H -#define BOX_SHAPE_H +#ifndef REACTPHYSICS3D_BOX_SHAPE_H +#define REACTPHYSICS3D_BOX_SHAPE_H // Libraries #include @@ -40,7 +40,14 @@ namespace reactphysics3d { * This class represents a 3D box shape. Those axis are unit length. * The three extents are half-widths of the box along the three * axis x, y, z local axis. The "transform" of the corresponding - * rigid body gives an orientation and a position to the box. + * rigid body will give an orientation and a position to the box. This + * collision shape uses an extra margin distance around it for collision + * detection purpose. The default margin is 4cm (if your units are meters, + * which is recommended). In case, you want to simulate small objects + * (smaller than the margin distance), you might want to reduce the margin by + * specifying your own margin distance using the "margin" parameter in the + * constructor of the box shape. Otherwise, it is recommended to use the + * default margin distance by not using the "margin" parameter in the constructor. */ class BoxShape : public CollisionShape { @@ -64,78 +71,86 @@ class BoxShape : public CollisionShape { // -------------------- Methods -------------------- // /// Constructor - BoxShape(const Vector3& extent); + BoxShape(const Vector3& extent, decimal margin = OBJECT_MARGIN); /// Destructor virtual ~BoxShape(); + /// Allocate and return a copy of the object + virtual BoxShape* clone(void* allocatedMemory) const; + /// Return the extents of the box - const Vector3& getExtent() const; + Vector3 getExtent() const; - /// Set the extents of the box - void setExtent(const Vector3& extent); + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const; - /// Return the local extents in x,y and z direction. - virtual Vector3 getLocalExtents(decimal margin=0.0) const; - - /// Return the margin distance around the shape - virtual decimal getMargin() const; + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; /// Return a local support point in a given direction with the object margin - virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); /// Return a local support point in a given direction without the object margin - virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); /// Return the local inertia tensor of the collision shape virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; -#ifdef VISUAL_DEBUG - /// Draw the Box (only for testing purpose) - virtual void draw() const; -#endif + /// Test equality between two box shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; }; +// Allocate and return a copy of the object +inline BoxShape* BoxShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) BoxShape(*this); +} + // Return the extents of the box -inline const Vector3& BoxShape::getExtent() const { - return mExtent; +inline Vector3 BoxShape::getExtent() const { + return mExtent + Vector3(mMargin, mMargin, mMargin); } - // Set the extents of the box -inline void BoxShape::setExtent(const Vector3& extent) { - this->mExtent = extent; -} - -// Return the local extents of the box (half-width) in x,y and z local direction. +// Return the local bounds of the shape in x, y and z directions /// This method is used to compute the AABB of the box -inline Vector3 BoxShape::getLocalExtents(decimal margin) const { - return mExtent + Vector3(getMargin(), getMargin(), getMargin()); +inline void BoxShape::getLocalBounds(Vector3& min, Vector3& max) const { + + // Maximum bounds + max = mExtent + Vector3(mMargin, mMargin, mMargin); + + // Minimum bounds + min = -max; } -// Return the margin distance around the shape -inline decimal BoxShape::getMargin() const { - return OBJECT_MARGIN; +// Return the number of bytes used by the collision shape +inline size_t BoxShape::getSizeInBytes() const { + return sizeof(BoxShape); } // Return a local support point in a given direction with the object margin -inline Vector3 BoxShape::getLocalSupportPointWithMargin(const Vector3& direction) const { +inline Vector3 BoxShape::getLocalSupportPointWithMargin(const Vector3& direction) { - decimal margin = getMargin(); - assert(margin >= 0.0); + assert(mMargin > 0.0); - return Vector3(direction.x < 0.0 ? -mExtent.x - margin : mExtent.x + margin, - direction.y < 0.0 ? -mExtent.y - margin : mExtent.y + margin, - direction.z < 0.0 ? -mExtent.z - margin : mExtent.z + margin); + return Vector3(direction.x < 0.0 ? -mExtent.x - mMargin : mExtent.x + mMargin, + direction.y < 0.0 ? -mExtent.y - mMargin : mExtent.y + mMargin, + direction.z < 0.0 ? -mExtent.z - mMargin : mExtent.z + mMargin); } // Return a local support point in a given direction without the objec margin -inline Vector3 BoxShape::getLocalSupportPointWithoutMargin(const Vector3& direction) const { +inline Vector3 BoxShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { return Vector3(direction.x < 0.0 ? -mExtent.x : mExtent.x, direction.y < 0.0 ? -mExtent.y : mExtent.y, direction.z < 0.0 ? -mExtent.z : mExtent.z); } +// Test equality between two box shapes +inline bool BoxShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const BoxShape& otherShape = dynamic_cast(otherCollisionShape); + return (mExtent == otherShape.mExtent); +} + } #endif diff --git a/src/collision/shapes/CapsuleShape.cpp b/src/collision/shapes/CapsuleShape.cpp new file mode 100644 index 00000000..ff1103ff --- /dev/null +++ b/src/collision/shapes/CapsuleShape.cpp @@ -0,0 +1,125 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "CapsuleShape.h" +#include "../../configuration.h" +#include + +using namespace reactphysics3d; + +// Constructor +CapsuleShape::CapsuleShape(decimal radius, decimal height) + : CollisionShape(CAPSULE, radius), mRadius(radius), mHalfHeight(height * decimal(0.5)) { + assert(radius > decimal(0.0)); + assert(height > decimal(0.0)); +} + +// Private copy-constructor +CapsuleShape::CapsuleShape(const CapsuleShape& shape) + : CollisionShape(shape), mRadius(shape.mRadius), mHalfHeight(shape.mHalfHeight) { + +} + +// Destructor +CapsuleShape::~CapsuleShape() { + +} + +// Return a local support point in a given direction with the object margin. +/// A capsule is the convex hull of two spheres S1 and S2. The support point in the direction "d" +/// of the convex hull of a set of convex objects is the support point "p" in the set of all +/// support points from all the convex objects with the maximum dot product with the direction "d". +/// Therefore, in this method, we compute the support points of both top and bottom spheres of +/// the capsule and return the point with the maximum dot product with the direction vector. Note +/// that the object margin is implicitly the radius and height of the capsule. +Vector3 CapsuleShape::getLocalSupportPointWithMargin(const Vector3& direction) { + + // If the direction vector is not the zero vector + if (direction.lengthSquare() >= MACHINE_EPSILON * MACHINE_EPSILON) { + + Vector3 unitDirection = direction.getUnit(); + + // Support point top sphere + Vector3 centerTopSphere(0, mHalfHeight, 0); + Vector3 topSpherePoint = centerTopSphere + unitDirection * mRadius; + decimal dotProductTop = topSpherePoint.dot(direction); + + // Support point bottom sphere + Vector3 centerBottomSphere(0, -mHalfHeight, 0); + Vector3 bottomSpherePoint = centerBottomSphere + unitDirection * mRadius; + decimal dotProductBottom = bottomSpherePoint.dot(direction); + + // Return the point with the maximum dot product + if (dotProductTop > dotProductBottom) { + return topSpherePoint; + } + else { + return bottomSpherePoint; + } + } + + // If the direction vector is the zero vector we return a point on the + // boundary of the capsule + return Vector3(0, mRadius, 0); +} + +// Return a local support point in a given direction without the object margin. +Vector3 CapsuleShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { + + // If the dot product of the direction and the local Y axis (dotProduct = direction.y) + // is positive + if (direction.y > 0.0) { + + // Return the top sphere center point + return Vector3(0, mHalfHeight, 0); + } + else { + + // Return the bottom sphere center point + return Vector3(0, -mHalfHeight, 0); + } +} + +// Return the local inertia tensor of the capsule +void CapsuleShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const { + + // The inertia tensor formula for a capsule can be found in : Game Engine Gems, Volume 1 + + decimal height = mHalfHeight + mHalfHeight; + decimal radiusSquare = mRadius * mRadius; + decimal heightSquare = height * height; + decimal radiusSquareDouble = radiusSquare + radiusSquare; + decimal factor1 = decimal(2.0) * mRadius / (decimal(4.0) * mRadius + decimal(3.0) * height); + decimal factor2 = decimal(3.0) * height / (decimal(4.0) * mRadius + decimal(3.0) * height); + decimal sum1 = decimal(0.4) * radiusSquareDouble; + decimal sum2 = decimal(0.75) * height * mRadius + decimal(0.5) * heightSquare; + decimal sum3 = decimal(0.25) * radiusSquare + decimal(1.0 / 12.0) * heightSquare; + decimal IxxAndzz = factor1 * mass * (sum1 + sum2) + factor2 * mass * sum3; + decimal Iyy = factor1 * mass * sum1 + factor2 * mass * decimal(0.25) * radiusSquareDouble; + tensor.setAllValues(IxxAndzz, 0.0, 0.0, + 0.0, Iyy, 0.0, + 0.0, 0.0, IxxAndzz); +} diff --git a/src/collision/shapes/CapsuleShape.h b/src/collision/shapes/CapsuleShape.h new file mode 100644 index 00000000..a43de124 --- /dev/null +++ b/src/collision/shapes/CapsuleShape.h @@ -0,0 +1,147 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_CAPSULE_SHAPE_H +#define REACTPHYSICS3D_CAPSULE_SHAPE_H + +// Libraries +#include "CollisionShape.h" +#include "../../mathematics/mathematics.h" + +// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class CapsuleShape +/** + * This class represents a capsule collision shape that is defined around the Y axis. + * A capsule shape can be seen as the convex hull of two spheres. + * The capsule shape is defined by its radius (radius of the two spheres of the capsule) + * and its height (distance between the centers of the two spheres). This collision shape + * does not have an explicit object margin distance. The margin is implicitly the radius + * and height of the shape. Therefore, no need to specify an object margin for a + * capsule shape. + */ +class CapsuleShape : public CollisionShape { + + private : + + // -------------------- Attributes -------------------- // + + /// Radius of the two spheres of the capsule + decimal mRadius; + + /// Half height of the capsule (height = distance between the centers of the two spheres) + decimal mHalfHeight; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + CapsuleShape(const CapsuleShape& shape); + + /// Private assignment operator + CapsuleShape& operator=(const CapsuleShape& shape); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + CapsuleShape(decimal radius, decimal height); + + /// Destructor + virtual ~CapsuleShape(); + + /// Allocate and return a copy of the object + virtual CapsuleShape* clone(void* allocatedMemory) const; + + /// Return the radius of the capsule + decimal getRadius() const; + + /// Return the height of the capsule + decimal getHeight() const; + + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; + + /// Return a local support point in a given direction with the object margin. + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); + + /// Return a local support point in a given direction without the object margin + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); + + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const; + + /// Return the local inertia tensor of the collision shape + virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; + + /// Test equality between two capsule shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; +}; + +/// Allocate and return a copy of the object +inline CapsuleShape* CapsuleShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) CapsuleShape(*this); +} + +// Get the radius of the capsule +inline decimal CapsuleShape::getRadius() const { + return mRadius; +} + +// Return the height of the capsule +inline decimal CapsuleShape::getHeight() const { + return mHalfHeight + mHalfHeight; +} + +// Return the number of bytes used by the collision shape +inline size_t CapsuleShape::getSizeInBytes() const { + return sizeof(CapsuleShape); +} + +// Return the local bounds of the shape in x, y and z directions +// This method is used to compute the AABB of the box +inline void CapsuleShape::getLocalBounds(Vector3& min, Vector3& max) const { + + // Maximum bounds + max.x = mRadius; + max.y = mHalfHeight + mRadius; + max.z = mRadius; + + // Minimum bounds + min.x = -mRadius; + min.y = -max.y; + min.z = min.x; +} + +// Test equality between two capsule shapes +inline bool CapsuleShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const CapsuleShape& otherShape = dynamic_cast(otherCollisionShape); + return (mRadius == otherShape.mRadius && mHalfHeight == otherShape.mHalfHeight); +} + +} + +#endif diff --git a/src/collision/shapes/CollisionShape.cpp b/src/collision/shapes/CollisionShape.cpp index 6775c3a2..e895f9bb 100644 --- a/src/collision/shapes/CollisionShape.cpp +++ b/src/collision/shapes/CollisionShape.cpp @@ -30,30 +30,43 @@ using namespace reactphysics3d; // Constructor -CollisionShape::CollisionShape(CollisionShapeType type) : mType(type) { +CollisionShape::CollisionShape(CollisionShapeType type, decimal margin) + : mType(type), mNbSimilarCreatedShapes(0), mMargin(margin) { } +// Private copy-constructor +CollisionShape::CollisionShape(const CollisionShape& shape) + : mType(shape.mType), mNbSimilarCreatedShapes(shape.mNbSimilarCreatedShapes), + mMargin(shape.mMargin) { + +} + // Destructor CollisionShape::~CollisionShape() { - + assert(mNbSimilarCreatedShapes == 0); } // Update the AABB of a body using its collision shape -inline void CollisionShape::updateAABB(AABB& aabb, const Transform& transform) { +void CollisionShape::updateAABB(AABB& aabb, const Transform& transform) { - // Get the local extents in x,y and z direction - Vector3 extents = getLocalExtents(OBJECT_MARGIN); + // Get the local bounds in x,y and z direction + Vector3 minBounds; + Vector3 maxBounds; + getLocalBounds(minBounds, maxBounds); - // Rotate the local extents according to the orientation of the body + // Rotate the local bounds according to the orientation of the body Matrix3x3 worldAxis = transform.getOrientation().getMatrix().getAbsoluteMatrix(); - Vector3 worldExtents = Vector3(worldAxis.getColumn(0).dot(extents), - worldAxis.getColumn(1).dot(extents), - worldAxis.getColumn(2).dot(extents)); + Vector3 worldMinBounds(worldAxis.getColumn(0).dot(minBounds), + worldAxis.getColumn(1).dot(minBounds), + worldAxis.getColumn(2).dot(minBounds)); + Vector3 worldMaxBounds(worldAxis.getColumn(0).dot(maxBounds), + worldAxis.getColumn(1).dot(maxBounds), + worldAxis.getColumn(2).dot(maxBounds)); // Compute the minimum and maximum coordinates of the rotated extents - Vector3 minCoordinates = transform.getPosition() - worldExtents; - Vector3 maxCoordinates = transform.getPosition() + worldExtents; + Vector3 minCoordinates = transform.getPosition() + worldMinBounds; + Vector3 maxCoordinates = transform.getPosition() + worldMaxBounds; // Update the AABB with the new minimum and maximum coordinates aabb.setMin(minCoordinates); diff --git a/src/collision/shapes/CollisionShape.h b/src/collision/shapes/CollisionShape.h index dba56ad7..4e6072c1 100644 --- a/src/collision/shapes/CollisionShape.h +++ b/src/collision/shapes/CollisionShape.h @@ -23,11 +23,12 @@ * * ********************************************************************************/ -#ifndef COLLISION_SHAPE_H -#define COLLISION_SHAPE_H +#ifndef REACTPHYSICS3D_COLLISION_SHAPE_H +#define REACTPHYSICS3D_COLLISION_SHAPE_H // Libraries #include +#include #include "../../mathematics/Vector3.h" #include "../../mathematics/Matrix3x3.h" #include "AABB.h" @@ -36,7 +37,7 @@ namespace reactphysics3d { /// Type of the collision shape -enum CollisionShapeType {BOX, SPHERE, CONE, CYLINDER}; +enum CollisionShapeType {BOX, SPHERE, CONE, CYLINDER, CAPSULE, CONVEX_MESH}; // Declarations class Body; @@ -54,6 +55,12 @@ class CollisionShape { /// Type of the collision shape CollisionShapeType mType; + + /// Current number of similar created shapes + uint mNbSimilarCreatedShapes; + + /// Margin used for the GJK collision detection algorithm + decimal mMargin; // -------------------- Methods -------------------- // @@ -68,31 +75,52 @@ class CollisionShape { // -------------------- Methods -------------------- // /// Constructor - CollisionShape(CollisionShapeType type); + CollisionShape(CollisionShapeType type, decimal margin); /// Destructor virtual ~CollisionShape(); + /// Allocate and return a copy of the object + virtual CollisionShape* clone(void* allocatedMemory) const=0; + /// Return the type of the collision shapes CollisionShapeType getType() const; + /// Return the number of similar created shapes + uint getNbSimilarCreatedShapes() const; + + /// Return the current object margin + decimal getMargin() const; + + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const = 0; + /// Return a local support point in a given direction with the object margin - virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction) const=0; + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction)=0; /// Return a local support point in a given direction without the object margin - virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction) const=0; + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction)=0; - /// Return the local extents in x,y and z direction - virtual Vector3 getLocalExtents(decimal margin=0.0) const=0; - - /// Return the margin distance around the shape - virtual decimal getMargin() const=0; + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const=0; /// Return the local inertia tensor of the collision shapes virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const=0; /// Update the AABB of a body using its collision shape virtual void updateAABB(AABB& aabb, const Transform& transform); + + /// Increment the number of similar allocated collision shapes + void incrementNbSimilarCreatedShapes(); + + /// Decrement the number of similar allocated collision shapes + void decrementNbSimilarCreatedShapes(); + + /// Equality operator between two collision shapes. + bool operator==(const CollisionShape& otherCollisionShape) const; + + /// Test equality between two collision shapes of the same type (same derived classes). + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const=0; }; // Return the type of the collision shape @@ -100,6 +128,43 @@ inline CollisionShapeType CollisionShape::getType() const { return mType; } +// Return the number of similar created shapes +inline uint CollisionShape::getNbSimilarCreatedShapes() const { + return mNbSimilarCreatedShapes; +} + +// Return the current object margin +inline decimal CollisionShape::getMargin() const { + return mMargin; +} + +// Increment the number of similar allocated collision shapes +inline void CollisionShape::incrementNbSimilarCreatedShapes() { + mNbSimilarCreatedShapes++; +} + +// Decrement the number of similar allocated collision shapes +inline void CollisionShape::decrementNbSimilarCreatedShapes() { + mNbSimilarCreatedShapes--; +} + +// Equality operator between two collision shapes. +/// This methods returns true only if the two collision shapes are of the same type and +/// of the same dimensions. +inline bool CollisionShape::operator==(const CollisionShape& otherCollisionShape) const { + + // If the two collisions shapes are not of the same type (same derived classes) + // we return false + if (mType != otherCollisionShape.mType) return false; + + assert(typeid(*this) == typeid(otherCollisionShape)); + + if (mMargin != otherCollisionShape.mMargin) return false; + + // Check if the two shapes are equal + return otherCollisionShape.isEqualTo(*this); +} + } #endif diff --git a/src/collision/shapes/ConeShape.cpp b/src/collision/shapes/ConeShape.cpp index 55f56e35..b674384d 100644 --- a/src/collision/shapes/ConeShape.cpp +++ b/src/collision/shapes/ConeShape.cpp @@ -28,29 +28,24 @@ #include "../../configuration.h" #include "ConeShape.h" -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - using namespace reactphysics3d; // Constructor -ConeShape::ConeShape(decimal radius, decimal height) - : CollisionShape(CONE), mRadius(radius), mHalfHeight(height / decimal(2.0)) { - assert(radius > 0.0); - assert(mHalfHeight > 0.0); +ConeShape::ConeShape(decimal radius, decimal height, decimal margin) + : CollisionShape(CONE, margin), mRadius(radius), mHalfHeight(height * decimal(0.5)) { + assert(mRadius > decimal(0.0)); + assert(mHalfHeight > decimal(0.0)); + assert(margin > decimal(0.0)); // Compute the sine of the semi-angle at the apex point - mSinTheta = radius / (sqrt(radius * radius + height * height)); + mSinTheta = mRadius / (sqrt(mRadius * mRadius + height * height)); +} + +// Private copy-constructor +ConeShape::ConeShape(const ConeShape& shape) + : CollisionShape(shape), mRadius(shape.mRadius), mHalfHeight(shape.mHalfHeight), + mSinTheta(shape.mSinTheta){ + } // Destructor @@ -59,7 +54,7 @@ ConeShape::~ConeShape() { } // Return a local support point in a given direction with the object margin -inline Vector3 ConeShape::getLocalSupportPointWithMargin(const Vector3& direction) const { +Vector3 ConeShape::getLocalSupportPointWithMargin(const Vector3& direction) { // Compute the support point without the margin Vector3 supportPoint = getLocalSupportPointWithoutMargin(direction); @@ -69,19 +64,19 @@ inline Vector3 ConeShape::getLocalSupportPointWithMargin(const Vector3& directio if (direction.lengthSquare() > MACHINE_EPSILON * MACHINE_EPSILON) { unitVec = direction.getUnit(); } - supportPoint += unitVec * getMargin(); + supportPoint += unitVec * mMargin; return supportPoint; } // Return a local support point in a given direction without the object margin -inline Vector3 ConeShape::getLocalSupportPointWithoutMargin(const Vector3& direction) const { +Vector3 ConeShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { const Vector3& v = direction; decimal sinThetaTimesLengthV = mSinTheta * v.length(); Vector3 supportPoint; - if (v.y >= sinThetaTimesLengthV) { + if (v.y > sinThetaTimesLengthV) { supportPoint = Vector3(0.0, mHalfHeight, 0.0); } else { @@ -91,21 +86,9 @@ inline Vector3 ConeShape::getLocalSupportPointWithoutMargin(const Vector3& direc supportPoint = Vector3(v.x * d, -mHalfHeight, v.z * d); } else { - supportPoint = Vector3(mRadius, -mHalfHeight, 0.0); + supportPoint = Vector3(0.0, -mHalfHeight, 0.0); } } return supportPoint; } - -#ifdef VISUAL_DEBUG -// Draw the cone (only for debuging purpose) -void ConeShape::draw() const { - - // Draw in red - glColor3f(1.0, 0.0, 0.0); - - // Draw the sphere - glutWireCone(mRadius, 2.0 * mHalfHeight, 50, 50); -} -#endif diff --git a/src/collision/shapes/ConeShape.h b/src/collision/shapes/ConeShape.h index b656d641..1c4a9326 100644 --- a/src/collision/shapes/ConeShape.h +++ b/src/collision/shapes/ConeShape.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef CONE_SHAPE_H -#define CONE_SHAPE_H +#ifndef REACTPHYSICS3D_CONE_SHAPE_H +#define REACTPHYSICS3D_CONE_SHAPE_H // Libraries #include "CollisionShape.h" @@ -40,7 +40,13 @@ namespace reactphysics3d { * by its height and by the radius of its base. The center of the * cone is at the half of the height. The "transform" of the * corresponding rigid body gives an orientation and a position - * to the cone. + * to the cone. This collision shape uses an extra margin distance around + * it for collision detection purpose. The default margin is 4cm (if your + * units are meters, which is recommended). In case, you want to simulate small + * objects (smaller than the margin distance), you might want to reduce the margin + * by specifying your own margin distance using the "margin" parameter in the + * constructor of the cone shape. Otherwise, it is recommended to use the + * default margin distance by not using the "margin" parameter in the constructor. */ class ConeShape : public CollisionShape { @@ -70,73 +76,71 @@ class ConeShape : public CollisionShape { // -------------------- Methods -------------------- // /// Constructor - ConeShape(decimal mRadius, decimal height); + ConeShape(decimal mRadius, decimal height, decimal margin = OBJECT_MARGIN); /// Destructor virtual ~ConeShape(); + /// Allocate and return a copy of the object + virtual ConeShape* clone(void* allocatedMemory) const; + /// Return the radius decimal getRadius() const; - /// Set the radius - void setRadius(decimal radius); - /// Return the height decimal getHeight() const; - /// Set the height - void setHeight(decimal height); + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; /// Return a local support point in a given direction with the object margin - virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); /// Return a local support point in a given direction without the object margin - virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); - /// Return the local extents in x,y and z direction - virtual Vector3 getLocalExtents(decimal margin=0.0) const; + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const; /// Return the local inertia tensor of the collision shape virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; - /// Return the margin distance around the shape - virtual decimal getMargin() const; - -#ifdef VISUAL_DEBUG - /// Draw the sphere (only for testing purpose) - virtual void draw() const; -#endif + /// Test equality between two cone shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; }; +// Allocate and return a copy of the object +inline ConeShape* ConeShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) ConeShape(*this); +} + // Return the radius inline decimal ConeShape::getRadius() const { return mRadius; } -// Set the radius -inline void ConeShape::setRadius(decimal radius) { - mRadius = radius; - - // Update sine of the semi-angle at the apex point - mSinTheta = radius / (sqrt(radius * radius + 4 * mHalfHeight * mHalfHeight)); -} - // Return the height inline decimal ConeShape::getHeight() const { return decimal(2.0) * mHalfHeight; } -// Set the height -inline void ConeShape::setHeight(decimal height) { - mHalfHeight = height * decimal(0.5); - - // Update the sine of the semi-angle at the apex point - mSinTheta = mRadius / (sqrt(mRadius * mRadius + height * height)); +// Return the number of bytes used by the collision shape +inline size_t ConeShape::getSizeInBytes() const { + return sizeof(ConeShape); } -// Return the local extents in x,y and z direction -inline Vector3 ConeShape::getLocalExtents(decimal margin) const { - return Vector3(mRadius + margin, mHalfHeight + margin, mRadius + margin); +// Return the local bounds of the shape in x, y and z directions +inline void ConeShape::getLocalBounds(Vector3& min, Vector3& max) const { + + // Maximum bounds + max.x = mRadius + mMargin; + max.y = mHalfHeight + mMargin; + max.z = max.x; + + // Minimum bounds + min.x = -max.x; + min.y = -max.y; + min.z = min.x; } // Return the local inertia tensor of the collision shape @@ -148,9 +152,10 @@ inline void ConeShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass 0.0, 0.0, 0.0, diagXZ); } -// Return the margin distance around the shape -inline decimal ConeShape::getMargin() const { - return OBJECT_MARGIN; +// Test equality between two cone shapes +inline bool ConeShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const ConeShape& otherShape = dynamic_cast(otherCollisionShape); + return (mRadius == otherShape.mRadius && mHalfHeight == otherShape.mHalfHeight); } } diff --git a/src/collision/shapes/ConvexMeshShape.cpp b/src/collision/shapes/ConvexMeshShape.cpp new file mode 100644 index 00000000..75f819bc --- /dev/null +++ b/src/collision/shapes/ConvexMeshShape.cpp @@ -0,0 +1,228 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include +#include "../../configuration.h" +#include "ConvexMeshShape.h" + +using namespace reactphysics3d; + +// Constructor to initialize with a array of 3D vertices. +/// This method creates an internal copy of the input vertices. +ConvexMeshShape::ConvexMeshShape(const decimal* arrayVertices, uint nbVertices, int stride, + decimal margin) + : CollisionShape(CONVEX_MESH, margin), mNbVertices(nbVertices), mMinBounds(0, 0, 0), + mMaxBounds(0, 0, 0), mIsEdgesInformationUsed(false), mCachedSupportVertex(0) { + assert(nbVertices > 0); + assert(stride > 0); + assert(margin > decimal(0.0)); + + const unsigned char* vertexPointer = (const unsigned char*) arrayVertices; + + // Copy all the vertices into the internal array + for (uint i=0; i decimal(0.0)); +} + +// Private copy-constructor +ConvexMeshShape::ConvexMeshShape(const ConvexMeshShape& shape) + : CollisionShape(shape), mVertices(shape.mVertices), mNbVertices(shape.mNbVertices), + mMinBounds(shape.mMinBounds), mMaxBounds(shape.mMaxBounds), + mIsEdgesInformationUsed(shape.mIsEdgesInformationUsed), + mEdgesAdjacencyList(shape.mEdgesAdjacencyList), + mCachedSupportVertex(shape.mCachedSupportVertex) { + + assert(mNbVertices == mVertices.size()); +} + +// Destructor +ConvexMeshShape::~ConvexMeshShape() { + +} + +// Return a local support point in a given direction with the object margin +Vector3 ConvexMeshShape::getLocalSupportPointWithMargin(const Vector3& direction) { + + // Get the support point without the margin + Vector3 supportPoint = getLocalSupportPointWithoutMargin(direction); + + // Get the unit direction vector + Vector3 unitDirection = direction; + if (direction.lengthSquare() < MACHINE_EPSILON * MACHINE_EPSILON) { + unitDirection.setAllValues(1.0, 1.0, 1.0); + } + unitDirection.normalize(); + + // Add the margin to the support point and return it + return supportPoint + unitDirection * mMargin; +} + +// Return a local support point in a given direction without the object margin. +/// If the edges information is not used for collision detection, this method will go through +/// the whole vertices list and pick up the vertex with the largest dot product in the support +/// direction. This is an O(n) process with "n" being the number of vertices in the mesh. +/// However, if the edges information is used, we can cache the previous support vertex and use +/// it as a start in a hill-climbing (local search) process to find the new support vertex which +/// will be in most of the cases very close to the previous one. Using hill-climbing, this method +/// runs in almost constant time. +Vector3 ConvexMeshShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { + + assert(mNbVertices == mVertices.size()); + + // If the edges information is used to speed up the collision detection + if (mIsEdgesInformationUsed) { + + assert(mEdgesAdjacencyList.size() == mNbVertices); + + uint maxVertex = mCachedSupportVertex; + decimal maxDotProduct = direction.dot(mVertices[maxVertex]); + bool isOptimal; + + // Perform hill-climbing (local search) + do { + isOptimal = true; + + assert(mEdgesAdjacencyList.at(maxVertex).size() > 0); + + // For all neighbors of the current vertex + std::set::const_iterator it; + std::set::const_iterator itBegin = mEdgesAdjacencyList.at(maxVertex).begin(); + std::set::const_iterator itEnd = mEdgesAdjacencyList.at(maxVertex).end(); + for (it = itBegin; it != itEnd; ++it) { + + // Compute the dot product + decimal dotProduct = direction.dot(mVertices[*it]); + + // If the current vertex is a better vertex (larger dot product) + if (dotProduct > maxDotProduct) { + maxVertex = *it; + maxDotProduct = dotProduct; + isOptimal = false; + } + } + + } while(!isOptimal); + + // Cache the support vertex + mCachedSupportVertex = maxVertex; + + // Return the support vertex + return mVertices[maxVertex]; + } + else { // If the edges information is not used + + decimal maxDotProduct = DECIMAL_SMALLEST; + uint indexMaxDotProduct = 0; + + // For each vertex of the mesh + for (uint i=0; i maxDotProduct) { + indexMaxDotProduct = i; + maxDotProduct = dotProduct; + } + } + + assert(maxDotProduct >= decimal(0.0)); + + // Return the vertex with the largest dot product in the support direction + return mVertices[indexMaxDotProduct]; + } +} + +// Recompute the bounds of the mesh +void ConvexMeshShape::recalculateBounds() { + + mMinBounds.setToZero(); + mMaxBounds.setToZero(); + + // For each vertex of the mesh + for (uint i=0; i mMaxBounds.x) mMaxBounds.x = mVertices[i].x; + if (mVertices[i].x < mMinBounds.x) mMinBounds.x = mVertices[i].x; + + if (mVertices[i].y > mMaxBounds.y) mMaxBounds.y = mVertices[i].y; + if (mVertices[i].y < mMinBounds.y) mMinBounds.y = mVertices[i].y; + + if (mVertices[i].z > mMaxBounds.z) mMaxBounds.z = mVertices[i].z; + if (mVertices[i].z < mMinBounds.z) mMinBounds.z = mVertices[i].z; + } + + // Add the object margin to the bounds + mMaxBounds += Vector3(mMargin, mMargin, mMargin); + mMinBounds -= Vector3(mMargin, mMargin, mMargin); +} + +// Test equality between two cone shapes +bool ConvexMeshShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const ConvexMeshShape& otherShape = dynamic_cast(otherCollisionShape); + + assert(mNbVertices == mVertices.size()); + + if (mNbVertices != otherShape.mNbVertices) return false; + + // If edges information is used, it means that a collison shape object will store + // cached data (previous support vertex) and therefore, we should not reuse the shape + // for another body. Therefore, we consider that all convex mesh shape using edges + // information are different. + if (mIsEdgesInformationUsed) return false; + + if (mEdgesAdjacencyList.size() != otherShape.mEdgesAdjacencyList.size()) return false; + + // Check that the vertices are the same + for (uint i=0; i +#include +#include + +/// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class ConvexMeshShape +/** + * This class represents a convex mesh shape. In order to create a convex mesh shape, you + * need to indicate the local-space position of the mesh vertices. You do it either by + * passing a vertices array to the constructor or using the addVertex() method. Make sure + * that the set of vertices that you use to create the shape are indeed part of a convex + * mesh. The center of mass of the shape will be at the origin of the local-space geometry + * that you use to create the mesh. The method used for collision detection with a convex + * mesh shape has an O(n) running time with "n" beeing the number of vertices in the mesh. + * Therefore, you should try not to use too many vertices. However, it is possible to speed + * up the collision detection by using the edges information of your mesh. The running time + * of the collision detection that uses the edges is almost O(1) constant time at the cost + * of additional memory used to store the vertices. You can indicate edges information + * with the addEdge() method. Then, you must use the setIsEdgesInformationUsed(true) method + * in order to use the edges information for collision detection. + */ +class ConvexMeshShape : public CollisionShape { + + private : + + // -------------------- Attributes -------------------- // + + /// Array with the vertices of the mesh + std::vector mVertices; + + /// Number of vertices in the mesh + uint mNbVertices; + + /// Mesh minimum bounds in the three local x, y and z directions + Vector3 mMinBounds; + + /// Mesh maximum bounds in the three local x, y and z directions + Vector3 mMaxBounds; + + /// True if the shape contains the edges of the convex mesh in order to + /// make the collision detection faster + bool mIsEdgesInformationUsed; + + /// Adjacency list representing the edges of the mesh + std::map > mEdgesAdjacencyList; + + /// Cached support vertex index (previous support vertex) + uint mCachedSupportVertex; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + ConvexMeshShape(const ConvexMeshShape& shape); + + /// Private assignment operator + ConvexMeshShape& operator=(const ConvexMeshShape& shape); + + /// Recompute the bounds of the mesh + void recalculateBounds(); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor to initialize with a array of 3D vertices. + ConvexMeshShape(const decimal* arrayVertices, uint nbVertices, int stride, + decimal margin = OBJECT_MARGIN); + + /// Constructor. + ConvexMeshShape(decimal margin = OBJECT_MARGIN); + + /// Destructor + virtual ~ConvexMeshShape(); + + /// Allocate and return a copy of the object + virtual ConvexMeshShape* clone(void* allocatedMemory) const; + + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; + + /// Return a local support point in a given direction with the object margin + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); + + /// Return a local support point in a given direction without the object margin. + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); + + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const; + + /// Return the local inertia tensor of the collision shape. + virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; + + /// Test equality between two cone shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; + + /// Add a vertex into the convex mesh + void addVertex(const Vector3& vertex); + + /// Add an edge into the convex mesh by specifying the two vertex indices of the edge. + void addEdge(uint v1, uint v2); + + /// Return true if the edges information is used to speed up the collision detection + bool isEdgesInformationUsed() const; + + /// Set the variable to know if the edges information is used to speed up the + /// collision detection + void setIsEdgesInformationUsed(bool isEdgesUsed); +}; + +// Allocate and return a copy of the object +inline ConvexMeshShape* ConvexMeshShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) ConvexMeshShape(*this); +} + +// Return the number of bytes used by the collision shape +inline size_t ConvexMeshShape::getSizeInBytes() const { + return sizeof(ConvexMeshShape); +} + +// Return the local bounds of the shape in x, y and z directions +inline void ConvexMeshShape::getLocalBounds(Vector3& min, Vector3& max) const { + min = mMinBounds; + max = mMaxBounds; +} + +// Return the local inertia tensor of the collision shape. +/// The local inertia tensor of the convex mesh is approximated using the inertia tensor +/// of its bounding box. +inline void ConvexMeshShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const { + decimal factor = (decimal(1.0) / decimal(3.0)) * mass; + Vector3 realExtent = decimal(0.5) * (mMaxBounds - mMinBounds); + assert(realExtent.x > 0 && realExtent.y > 0 && realExtent.z > 0); + decimal xSquare = realExtent.x * realExtent.x; + decimal ySquare = realExtent.y * realExtent.y; + decimal zSquare = realExtent.z * realExtent.z; + tensor.setAllValues(factor * (ySquare + zSquare), 0.0, 0.0, + 0.0, factor * (xSquare + zSquare), 0.0, + 0.0, 0.0, factor * (xSquare + ySquare)); +} + +// Add a vertex into the convex mesh +inline void ConvexMeshShape::addVertex(const Vector3& vertex) { + + // Add the vertex in to vertices array + mVertices.push_back(vertex); + mNbVertices++; + + // Update the bounds of the mesh + if (vertex.x > mMaxBounds.x) mMaxBounds.x = vertex.x; + if (vertex.x < mMinBounds.x) mMinBounds.x = vertex.x; + if (vertex.y > mMaxBounds.y) mMaxBounds.y = vertex.y; + if (vertex.y < mMinBounds.y) mMinBounds.y = vertex.y; + if (vertex.z > mMaxBounds.z) mMaxBounds.z = vertex.z; + if (vertex.z < mMinBounds.z) mMinBounds.z = vertex.z; +} + +// Add an edge into the convex mesh by specifying the two vertex indices of the edge. +/// Note that the vertex indices start at zero and need to correspond to the order of +/// the vertices in the vertices array in the constructor or the order of the calls +/// of the addVertex() methods that you use to add vertices into the convex mesh. +inline void ConvexMeshShape::addEdge(uint v1, uint v2) { + + assert(v1 >= 0); + assert(v2 >= 0); + + // If the entry for vertex v1 does not exist in the adjacency list + if (mEdgesAdjacencyList.count(v1) == 0) { + mEdgesAdjacencyList.insert(std::make_pair >(v1, std::set())); + } + + // If the entry for vertex v2 does not exist in the adjacency list + if (mEdgesAdjacencyList.count(v2) == 0) { + mEdgesAdjacencyList.insert(std::make_pair >(v2, std::set())); + } + + // Add the edge in the adjacency list + mEdgesAdjacencyList[v1].insert(v2); + mEdgesAdjacencyList[v2].insert(v1); +} + +// Return true if the edges information is used to speed up the collision detection +inline bool ConvexMeshShape::isEdgesInformationUsed() const { + return mIsEdgesInformationUsed; +} + +// Set the variable to know if the edges information is used to speed up the +// collision detection +inline void ConvexMeshShape::setIsEdgesInformationUsed(bool isEdgesUsed) { + mIsEdgesInformationUsed = isEdgesUsed; +} + +} + +#endif diff --git a/src/collision/shapes/CylinderShape.cpp b/src/collision/shapes/CylinderShape.cpp index 07c3cb17..675dd480 100644 --- a/src/collision/shapes/CylinderShape.cpp +++ b/src/collision/shapes/CylinderShape.cpp @@ -27,24 +27,20 @@ #include "CylinderShape.h" #include "../../configuration.h" -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - using namespace reactphysics3d; // Constructor -CylinderShape::CylinderShape(decimal radius, decimal height) - : CollisionShape(CYLINDER), mRadius(radius), mHalfHeight(height/decimal(2.0)) { +CylinderShape::CylinderShape(decimal radius, decimal height, decimal margin) + : CollisionShape(CYLINDER, margin), mRadius(radius), + mHalfHeight(height/decimal(2.0)) { + assert(radius > decimal(0.0)); + assert(height > decimal(0.0)); + assert(margin > decimal(0.0)); +} + +// Private copy-constructor +CylinderShape::CylinderShape(const CylinderShape& shape) + : CollisionShape(shape), mRadius(shape.mRadius), mHalfHeight(shape.mHalfHeight) { } @@ -54,7 +50,7 @@ CylinderShape::~CylinderShape() { } // Return a local support point in a given direction with the object margin -Vector3 CylinderShape::getLocalSupportPointWithMargin(const Vector3& direction) const { +Vector3 CylinderShape::getLocalSupportPointWithMargin(const Vector3& direction) { // Compute the support point without the margin Vector3 supportPoint = getLocalSupportPointWithoutMargin(direction); @@ -64,13 +60,13 @@ Vector3 CylinderShape::getLocalSupportPointWithMargin(const Vector3& direction) if (direction.lengthSquare() > MACHINE_EPSILON * MACHINE_EPSILON) { unitVec = direction.getUnit(); } - supportPoint += unitVec * getMargin(); + supportPoint += unitVec * mMargin; return supportPoint; } // Return a local support point in a given direction without the object margin -Vector3 CylinderShape::getLocalSupportPointWithoutMargin(const Vector3& direction) const { +Vector3 CylinderShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { Vector3 supportPoint(0.0, 0.0, 0.0); decimal uDotv = direction.y; @@ -89,15 +85,3 @@ Vector3 CylinderShape::getLocalSupportPointWithoutMargin(const Vector3& directio return supportPoint; } - -#ifdef VISUAL_DEBUG -// Draw the cone (only for debuging purpose) -void CylinderShape::draw() const { - - // Draw in red - glColor3f(1.0, 0.0, 0.0); - - // Draw the sphere - glutWireSphere(mRadius, 50, 50); -} -#endif diff --git a/src/collision/shapes/CylinderShape.h b/src/collision/shapes/CylinderShape.h index fb01add6..21cda294 100644 --- a/src/collision/shapes/CylinderShape.h +++ b/src/collision/shapes/CylinderShape.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef CYLINDER_SHAPE_H -#define CYLINDER_SHAPE_H +#ifndef REACTPHYSICS3D_CYLINDER_SHAPE_H +#define REACTPHYSICS3D_CYLINDER_SHAPE_H // Libraries #include "CollisionShape.h" @@ -40,6 +40,13 @@ namespace reactphysics3d { * and centered at the origin. The cylinder is defined by its height * and the radius of its base. The "transform" of the corresponding * rigid body gives an orientation and a position to the cylinder. + * This collision shape uses an extra margin distance around it for collision + * detection purpose. The default margin is 4cm (if your units are meters, + * which is recommended). In case, you want to simulate small objects + * (smaller than the margin distance), you might want to reduce the margin by + * specifying your own margin distance using the "margin" parameter in the + * constructor of the cylinder shape. Otherwise, it is recommended to use the + * default margin distance by not using the "margin" parameter in the constructor. */ class CylinderShape : public CollisionShape { @@ -50,7 +57,7 @@ class CylinderShape : public CollisionShape { /// Radius of the base decimal mRadius; - /// Half height of the cone + /// Half height of the cylinder decimal mHalfHeight; // -------------------- Methods -------------------- // @@ -66,67 +73,71 @@ class CylinderShape : public CollisionShape { // -------------------- Methods -------------------- // /// Constructor - CylinderShape(decimal radius, decimal height); + CylinderShape(decimal radius, decimal height, decimal margin = OBJECT_MARGIN); /// Destructor virtual ~CylinderShape(); + /// Allocate and return a copy of the object + virtual CylinderShape* clone(void* allocatedMemory) const; + /// Return the radius decimal getRadius() const; - /// Set the radius - void setRadius(decimal mRadius); - /// Return the height decimal getHeight() const; - /// Set the height - void setHeight(decimal height); + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; /// Return a local support point in a given direction with the object margin - virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); /// Return a local support point in a given direction without the object margin - virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); - /// Return the local extents in x,y and z direction - virtual Vector3 getLocalExtents(decimal margin=0.0) const; + /// Return the local bounds of the shape in x, y and z directions + virtual void getLocalBounds(Vector3& min, Vector3& max) const; /// Return the local inertia tensor of the collision shape virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; - /// Return the margin distance around the shape - virtual decimal getMargin() const; - -#ifdef VISUAL_DEBUG - /// Draw the sphere (only for testing purpose) - virtual void draw() const; -#endif + /// Test equality between two cylinder shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; }; +/// Allocate and return a copy of the object +inline CylinderShape* CylinderShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) CylinderShape(*this); +} + // Return the radius inline decimal CylinderShape::getRadius() const { return mRadius; } -// Set the radius -inline void CylinderShape::setRadius(decimal radius) { - this->mRadius = radius; -} - // Return the height inline decimal CylinderShape::getHeight() const { - return mHalfHeight * decimal(2.0); + return mHalfHeight + mHalfHeight; } -// Set the height -inline void CylinderShape::setHeight(decimal height) { - mHalfHeight = height * decimal(0.5); +// Return the number of bytes used by the collision shape +inline size_t CylinderShape::getSizeInBytes() const { + return sizeof(CylinderShape); } -// Return the local extents in x,y and z direction -inline Vector3 CylinderShape::getLocalExtents(decimal margin) const { - return Vector3(mRadius + margin, mHalfHeight + margin, mRadius + margin); +// Return the local bounds of the shape in x, y and z directions +inline void CylinderShape::getLocalBounds(Vector3& min, Vector3& max) const { + + // Maximum bounds + max.x = mRadius + mMargin; + max.y = mHalfHeight + mMargin; + max.z = max.x; + + // Minimum bounds + min.x = -max.x; + min.y = -max.y; + min.z = min.x; } // Return the local inertia tensor of the cylinder @@ -138,9 +149,10 @@ inline void CylinderShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal 0.0, 0.0, diag); } -// Return the margin distance around the shape -inline decimal CylinderShape::getMargin() const { - return OBJECT_MARGIN; +// Test equality between two cylinder shapes +inline bool CylinderShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const CylinderShape& otherShape = dynamic_cast(otherCollisionShape); + return (mRadius == otherShape.mRadius && mHalfHeight == otherShape.mHalfHeight); } } diff --git a/src/collision/shapes/SphereShape.cpp b/src/collision/shapes/SphereShape.cpp index c3afa4a3..c6b3b3e3 100644 --- a/src/collision/shapes/SphereShape.cpp +++ b/src/collision/shapes/SphereShape.cpp @@ -28,24 +28,16 @@ #include "../../configuration.h" #include -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - using namespace reactphysics3d; -using namespace std; // Constructor -SphereShape::SphereShape(decimal radius) : CollisionShape(SPHERE), mRadius(radius) { +SphereShape::SphereShape(decimal radius) : CollisionShape(SPHERE, radius), mRadius(radius) { + assert(radius > decimal(0.0)); +} + +// Private copy-constructor +SphereShape::SphereShape(const SphereShape& shape) + : CollisionShape(shape), mRadius(shape.mRadius) { } @@ -53,15 +45,3 @@ SphereShape::SphereShape(decimal radius) : CollisionShape(SPHERE), mRadius(radiu SphereShape::~SphereShape() { } - -#ifdef VISUAL_DEBUG -// Draw the sphere (only for testing purpose) -void SphereShape::draw() const { - - // Draw in red - glColor3f(1.0, 0.0, 0.0); - - // Draw the sphere - glutWireSphere(mRadius, 50, 50); -} -#endif diff --git a/src/collision/shapes/SphereShape.h b/src/collision/shapes/SphereShape.h index 8477d2c7..962c0277 100644 --- a/src/collision/shapes/SphereShape.h +++ b/src/collision/shapes/SphereShape.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef SPHERE_SHAPE_H -#define SPHERE_SHAPE_H +#ifndef REACTPHYSICS3D_SPHERE_SHAPE_H +#define REACTPHYSICS3D_SPHERE_SHAPE_H // Libraries #include "CollisionShape.h" @@ -36,7 +36,10 @@ namespace reactphysics3d { // Class SphereShape /** * This class represents a sphere collision shape that is centered - * at the origin and defined by its radius. + * at the origin and defined by its radius. This collision shape does not + * have an explicit object margin distance. The margin is implicitly the + * radius of the sphere. Therefore, no need to specify an object margin + * for a sphere shape. */ class SphereShape : public CollisionShape { @@ -65,74 +68,84 @@ class SphereShape : public CollisionShape { /// Destructor virtual ~SphereShape(); + /// Allocate and return a copy of the object + virtual SphereShape* clone(void* allocatedMemory) const; + /// Return the radius of the sphere decimal getRadius() const; - /// Set the radius of the sphere - void setRadius(decimal radius); + /// Return the number of bytes used by the collision shape + virtual size_t getSizeInBytes() const; /// Return a local support point in a given direction with the object margin - virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithMargin(const Vector3& direction); /// Return a local support point in a given direction without the object margin - virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction) const; + virtual Vector3 getLocalSupportPointWithoutMargin(const Vector3& direction); - /// Return the local extents in x,y and z direction - virtual Vector3 getLocalExtents(decimal margin=0.0) const; + /// Return the local bounds of the shape in x, y and z directions. + virtual void getLocalBounds(Vector3& min, Vector3& max) const; /// Return the local inertia tensor of the collision shape virtual void computeLocalInertiaTensor(Matrix3x3& tensor, decimal mass) const; - /// Return the margin distance around the shape - virtual decimal getMargin() const; - /// Update the AABB of a body using its collision shape virtual void updateAABB(AABB& aabb, const Transform& transform); -#ifdef VISUAL_DEBUG - /// Draw the sphere (only for testing purpose) - virtual void draw() const; -#endif + /// Test equality between two sphere shapes + virtual bool isEqualTo(const CollisionShape& otherCollisionShape) const; }; +/// Allocate and return a copy of the object +inline SphereShape* SphereShape::clone(void* allocatedMemory) const { + return new (allocatedMemory) SphereShape(*this); +} + // Get the radius of the sphere inline decimal SphereShape::getRadius() const { return mRadius; } -// Set the radius of the sphere -inline void SphereShape::setRadius(decimal radius) { - mRadius = radius; +// Return the number of bytes used by the collision shape +inline size_t SphereShape::getSizeInBytes() const { + return sizeof(SphereShape); } // Return a local support point in a given direction with the object margin -inline Vector3 SphereShape::getLocalSupportPointWithMargin(const Vector3& direction) const { - - decimal margin = getMargin(); +inline Vector3 SphereShape::getLocalSupportPointWithMargin(const Vector3& direction) { // If the direction vector is not the zero vector if (direction.lengthSquare() >= MACHINE_EPSILON * MACHINE_EPSILON) { // Return the support point of the sphere in the given direction - return margin * direction.getUnit(); + return mMargin * direction.getUnit(); } // If the direction vector is the zero vector we return a point on the // boundary of the sphere - return Vector3(0, margin, 0); + return Vector3(0, mMargin, 0); } // Return a local support point in a given direction without the object margin -inline Vector3 SphereShape::getLocalSupportPointWithoutMargin(const Vector3& direction) const { +inline Vector3 SphereShape::getLocalSupportPointWithoutMargin(const Vector3& direction) { // Return the center of the sphere (the radius is taken into account in the object margin) return Vector3(0.0, 0.0, 0.0); } -// Return the local extents of the collision shape (half-width) in x,y and z local direction +// Return the local bounds of the shape in x, y and z directions. // This method is used to compute the AABB of the box -inline Vector3 SphereShape::getLocalExtents(decimal margin) const { - return Vector3(mRadius + margin, mRadius + margin, mRadius + margin); +inline void SphereShape::getLocalBounds(Vector3& min, Vector3& max) const { + + // Maximum bounds + max.x = mRadius; + max.y = mRadius; + max.z = mRadius; + + // Minimum bounds + min.x = -mRadius; + min.y = min.x; + min.z = min.x; } // Return the local inertia tensor of the sphere @@ -143,24 +156,21 @@ inline void SphereShape::computeLocalInertiaTensor(Matrix3x3& tensor, decimal ma 0.0, 0.0, diag); } -// Return the margin distance around the shape -inline decimal SphereShape::getMargin() const { - return mRadius + OBJECT_MARGIN; -} - // Update the AABB of a body using its collision shape inline void SphereShape::updateAABB(AABB& aabb, const Transform& transform) { // Get the local extents in x,y and z direction - Vector3 extents = getLocalExtents(OBJECT_MARGIN); - - // Compute the minimum and maximum coordinates of the rotated extents - Vector3 minCoordinates = transform.getPosition() - extents; - Vector3 maxCoordinates = transform.getPosition() + extents; + Vector3 extents(mRadius, mRadius, mRadius); // Update the AABB with the new minimum and maximum coordinates - aabb.setMin(minCoordinates); - aabb.setMax(maxCoordinates); + aabb.setMin(transform.getPosition() - extents); + aabb.setMax(transform.getPosition() + extents); +} + +// Test equality between two sphere shapes +inline bool SphereShape::isEqualTo(const CollisionShape& otherCollisionShape) const { + const SphereShape& otherShape = dynamic_cast(otherCollisionShape); + return (mRadius == otherShape.mRadius); } } diff --git a/src/configuration.h b/src/configuration.h index c4e73597..de4d293c 100644 --- a/src/configuration.h +++ b/src/configuration.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef CONFIGURATION_H -#define CONFIGURATION_H +#ifndef REACTPHYSICS3D_CONFIGURATION_H +#define REACTPHYSICS3D_CONFIGURATION_H // Libraries #include @@ -51,6 +51,21 @@ typedef long unsigned int luint; typedef luint bodyindex; typedef std::pair bodyindexpair; +// ------------------- Enumerations ------------------- // + +/// Position correction technique used in the constraint solver (for joints). +/// BAUMGARTE_JOINTS : Faster but can be innacurate in some situations. +/// NON_LINEAR_GAUSS_SEIDEL : Slower but more precise. This is the option used by default. +enum JointsPositionCorrectionTechnique {BAUMGARTE_JOINTS, NON_LINEAR_GAUSS_SEIDEL}; + +/// Position correction technique used in the contact solver (for contacts) +/// BAUMGARTE_CONTACTS : Faster but can be innacurate and can lead to unexpected bounciness +/// in some situations (due to error correction factor being added to +/// the bodies momentum). +/// SPLIT_IMPULSES : A bit slower but the error correction factor is not added to the +/// bodies momentum. This is the option used by default. +enum ContactsPositionCorrectionTechnique {BAUMGARTE_CONTACTS, SPLIT_IMPULSES}; + // ------------------- Constants ------------------- // /// Smallest decimal value (negative) @@ -65,16 +80,22 @@ const decimal MACHINE_EPSILON = std::numeric_limits::epsilon(); /// Pi constant const decimal PI = decimal(3.14159265); +/// 2*Pi constant +const decimal PI_TIMES_2 = decimal(6.28318530); + /// Default internal constant timestep in seconds const decimal DEFAULT_TIMESTEP = decimal(1.0 / 60.0); /// Default friction coefficient for a rigid body const decimal DEFAULT_FRICTION_COEFFICIENT = decimal(0.3); -/// True if the deactivation (sleeping) of inactive bodies is enabled -const bool DEACTIVATION_ENABLED = true; +/// Default bounciness factor for a rigid body +const decimal DEFAULT_BOUNCINESS = decimal(0.5); -///Object margin for collision detection in cm (For GJK-EPA Algorithm) +/// True if the spleeping technique is enabled +const bool SPLEEPING_ENABLED = true; + +/// Object margin for collision detection in meters (for the GJK-EPA Algorithm) const decimal OBJECT_MARGIN = decimal(0.04); /// Distance threshold for two contact points for a valid persistent contact (in meters) @@ -83,8 +104,22 @@ const decimal PERSISTENT_CONTACT_DIST_THRESHOLD = decimal(0.03); /// Velocity threshold for contact velocity restitution const decimal RESTITUTION_VELOCITY_THRESHOLD = decimal(1.0); -/// Number of iterations when solving a LCP problem -const uint DEFAULT_CONSTRAINTS_SOLVER_NB_ITERATIONS = 15; +/// Number of iterations when solving the velocity constraints of the Sequential Impulse technique +const uint DEFAULT_VELOCITY_SOLVER_NB_ITERATIONS = 10; + +/// Number of iterations when solving the position constraints of the Sequential Impulse technique +const uint DEFAULT_POSITION_SOLVER_NB_ITERATIONS = 5; + +/// Time (in seconds) that a body must stay still to be considered sleeping +const float DEFAULT_TIME_BEFORE_SLEEP = 1.0f; + +/// A body with a linear velocity smaller than the sleep linear velocity (in m/s) +/// might enter sleeping mode. +const decimal DEFAULT_SLEEP_LINEAR_VELOCITY = decimal(0.02); + +/// A body with angular velocity smaller than the sleep angular velocity (in rad/s) +/// might enter sleeping mode +const decimal DEFAULT_SLEEP_ANGULAR_VELOCITY = decimal(3.0 * (PI / 180.0)); } diff --git a/src/constraint/BallAndSocketJoint.cpp b/src/constraint/BallAndSocketJoint.cpp new file mode 100644 index 00000000..3db0e8ba --- /dev/null +++ b/src/constraint/BallAndSocketJoint.cpp @@ -0,0 +1,281 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "BallAndSocketJoint.h" +#include "../engine/ConstraintSolver.h" + +using namespace reactphysics3d; + +// Static variables definition +const decimal BallAndSocketJoint::BETA = decimal(0.2); + +// Constructor +BallAndSocketJoint::BallAndSocketJoint(const BallAndSocketJointInfo& jointInfo) + : Joint(jointInfo), mImpulse(Vector3(0, 0, 0)) { + + // Compute the local-space anchor point for each body + mLocalAnchorPointBody1 = mBody1->getTransform().getInverse() * jointInfo.anchorPointWorldSpace; + mLocalAnchorPointBody2 = mBody2->getTransform().getInverse() * jointInfo.anchorPointWorldSpace; +} + +// Destructor +BallAndSocketJoint::~BallAndSocketJoint() { + +} + +// Initialize before solving the constraint +void BallAndSocketJoint::initBeforeSolve(const ConstraintSolverData& constraintSolverData) { + + // Initialize the bodies index in the velocity array + mIndexBody1 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody1)->second; + mIndexBody2 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody2)->second; + + // Get the bodies positions and orientations + const Vector3& x1 = mBody1->getTransform().getPosition(); + const Vector3& x2 = mBody2->getTransform().getPosition(); + const Quaternion& orientationBody1 = mBody1->getTransform().getOrientation(); + const Quaternion& orientationBody2 = mBody2->getTransform().getOrientation(); + + // Get the inertia tensor of bodies + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = orientationBody1 * mLocalAnchorPointBody1; + mR2World = orientationBody2 * mLocalAnchorPointBody2; + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // Compute the matrix K=JM^-1J^t (3x3 matrix) + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += mBody2->getMassInverse(); + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + + // Compute the inverse mass matrix K^-1 + mInverseMassMatrix.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrix = massMatrix.getInverse(); + } + + // Compute the bias "b" of the constraint + mBiasVector.setToZero(); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + decimal biasFactor = (BETA / constraintSolverData.timeStep); + mBiasVector = biasFactor * (x2 + mR2World - x1 - mR1World); + } + + // If warm-starting is not enabled + if (!constraintSolverData.isWarmStartingActive) { + + // Reset the accumulated impulse + mImpulse.setToZero(); + } +} + +// Warm start the constraint (apply the previous impulse at the beginning of the step) +void BallAndSocketJoint::warmstart(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass of the bodies + const decimal inverseMassBody1 = mBody1->getMassInverse(); + const decimal inverseMassBody2 = mBody2->getMassInverse(); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody1 = -mImpulse; + const Vector3 angularImpulseBody1 = mImpulse.cross(mR1World); + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody2 = mImpulse; + const Vector3 angularImpulseBody2 = -mImpulse.cross(mR2World); + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the velocity constraint +void BallAndSocketJoint::solveVelocityConstraint(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Compute J*v + const Vector3 Jv = v2 + w2.cross(mR2World) - v1 - w1.cross(mR1World); + + // Compute the Lagrange multiplier lambda + const Vector3 deltaLambda = mInverseMassMatrix * (-Jv - mBiasVector); + mImpulse += deltaLambda; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody1 = -deltaLambda; + const Vector3 angularImpulseBody1 = deltaLambda.cross(mR1World); + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody2 = deltaLambda; + const Vector3 angularImpulseBody2 = -deltaLambda.cross(mR2World); + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the position constraint (for position error correction) +void BallAndSocketJoint::solvePositionConstraint(const ConstraintSolverData& constraintSolverData) { + + // If the error position correction technique is not the non-linear-gauss-seidel, we do + // do not execute this method + if (mPositionCorrectionTechnique != NON_LINEAR_GAUSS_SEIDEL) return; + + // Get the bodies positions and orientations + Vector3& x1 = constraintSolverData.positions[mIndexBody1]; + Vector3& x2 = constraintSolverData.positions[mIndexBody2]; + Quaternion& q1 = constraintSolverData.orientations[mIndexBody1]; + Quaternion& q2 = constraintSolverData.orientations[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Recompute the inverse inertia tensors + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = q1 * mLocalAnchorPointBody1; + mR2World = q2 * mLocalAnchorPointBody2; + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // Recompute the inverse mass matrix K=J^TM^-1J of of the 3 translation constraints + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += inverseMassBody1; + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += inverseMassBody2; + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + mInverseMassMatrix.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrix = massMatrix.getInverse(); + } + + // Compute the constraint error (value of the C(x) function) + const Vector3 constraintError = (x2 + mR2World - x1 - mR1World); + + // Compute the Lagrange multiplier lambda + // TODO : Do not solve the system by computing the inverse each time and multiplying with the + // right-hand side vector but instead use a method to directly solve the linear system. + const Vector3 lambda = mInverseMassMatrix * (-constraintError); + + // Apply the impulse to the bodies of the joint (directly update the position/orientation) + if (mBody1->isMotionEnabled()) { + + // Compute the impulse + const Vector3 linearImpulseBody1 = -lambda; + const Vector3 angularImpulseBody1 = lambda.cross(mR1World); + + // Compute the pseudo velocity + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse + const Vector3 linearImpulseBody2 = lambda; + const Vector3 angularImpulseBody2 = -lambda.cross(mR2World); + + // Compute the pseudo velocity + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } +} + diff --git a/src/constraint/BallAndSocketJoint.h b/src/constraint/BallAndSocketJoint.h new file mode 100644 index 00000000..2030627f --- /dev/null +++ b/src/constraint/BallAndSocketJoint.h @@ -0,0 +1,141 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_BALL_AND_SOCKET_JOINT_H +#define REACTPHYSICS3D_BALL_AND_SOCKET_JOINT_H + +// Libraries +#include "Joint.h" +#include "../mathematics/mathematics.h" + +namespace reactphysics3d { + +// Structure BallAndSocketJointInfo +/** + * This structure is used to gather the information needed to create a ball-and-socket + * joint. This structure will be used to create the actual ball-and-socket joint. + */ +struct BallAndSocketJointInfo : public JointInfo { + + public : + + // -------------------- Attributes -------------------- // + + /// Anchor point (in world-space coordinates) + Vector3 anchorPointWorldSpace; + + /// Constructor + BallAndSocketJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace) + : JointInfo(rigidBody1, rigidBody2, BALLSOCKETJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace) {} +}; + +// Class BallAndSocketJoint +/** + * This class represents a ball-and-socket joint that allows arbitrary rotation + * between two bodies. This joint has three degrees of freedom. It can be used to + * create a chain of bodies for instance. + */ +class BallAndSocketJoint : public Joint { + + private : + + // -------------------- Constants -------------------- // + + // Beta value for the bias factor of position correction + static const decimal BETA; + + // -------------------- Attributes -------------------- // + + /// Anchor point of body 1 (in local-space coordinates of body 1) + Vector3 mLocalAnchorPointBody1; + + /// Anchor point of body 2 (in local-space coordinates of body 2) + Vector3 mLocalAnchorPointBody2; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR1World; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR2World; + + /// Inertia tensor of body 1 (in world-space coordinates) + Matrix3x3 mI1; + + /// Inertia tensor of body 2 (in world-space coordinates) + Matrix3x3 mI2; + + /// Bias vector for the constraint + Vector3 mBiasVector; + + /// Inverse mass matrix K=JM^-1J^-t of the constraint + Matrix3x3 mInverseMassMatrix; + + /// Accumulated impulse + Vector3 mImpulse; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + BallAndSocketJoint(const BallAndSocketJoint& constraint); + + /// Private assignment operator + BallAndSocketJoint& operator=(const BallAndSocketJoint& constraint); + + /// Return the number of bytes used by the joint + virtual size_t getSizeInBytes() const; + + /// Initialize before solving the constraint + virtual void initBeforeSolve(const ConstraintSolverData& constraintSolverData); + + /// Warm start the constraint (apply the previous impulse at the beginning of the step) + virtual void warmstart(const ConstraintSolverData& constraintSolverData); + + /// Solve the velocity constraint + virtual void solveVelocityConstraint(const ConstraintSolverData& constraintSolverData); + + /// Solve the position constraint (for position error correction) + virtual void solvePositionConstraint(const ConstraintSolverData& constraintSolverData); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + BallAndSocketJoint(const BallAndSocketJointInfo& jointInfo); + + /// Destructor + virtual ~BallAndSocketJoint(); +}; + +// Return the number of bytes used by the joint +inline size_t BallAndSocketJoint::getSizeInBytes() const { + return sizeof(BallAndSocketJoint); +} + +} + +#endif diff --git a/src/constraint/Constraint.h b/src/constraint/Constraint.h deleted file mode 100644 index 9470a3c6..00000000 --- a/src/constraint/Constraint.h +++ /dev/null @@ -1,152 +0,0 @@ -/******************************************************************************** -* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * -* Copyright (c) 2010-2013 Daniel Chappuis * -********************************************************************************* -* * -* This software is provided 'as-is', without any express or implied warranty. * -* In no event will the authors be held liable for any damages arising from the * -* use of this software. * -* * -* Permission is granted to anyone to use this software for any purpose, * -* including commercial applications, and to alter it and redistribute it * -* freely, subject to the following restrictions: * -* * -* 1. The origin of this software must not be misrepresented; you must not claim * -* that you wrote the original software. If you use this software in a * -* product, an acknowledgment in the product documentation would be * -* appreciated but is not required. * -* * -* 2. Altered source versions must be plainly marked as such, and must not be * -* misrepresented as being the original software. * -* * -* 3. This notice may not be removed or altered from any source distribution. * -* * -********************************************************************************/ - -#ifndef CONSTRAINT_H -#define CONSTRAINT_H - -// Libraries -#include "../body/RigidBody.h" -#include "../mathematics/mathematics.h" - -// ReactPhysics3D namespace -namespace reactphysics3d { - -// Enumeration for the type of a constraint -enum ConstraintType {CONTACT}; - -// Class Constraint -/** - * This abstract class represents a constraint in the physics engine. - * A constraint can be a collision contact or a joint for - * instance. Each constraint can be made of several "mathematical - * constraints" needed to represent the main constraint. - */ -class Constraint { - - protected : - - // -------------------- Attributes -------------------- // - - /// Pointer to the first body of the constraint - RigidBody* const mBody1; - - /// Pointer to the second body of the constraint - RigidBody* const mBody2; - - /// True if the constraint is active - bool mActive; - - /// Number mathematical constraints associated with this Constraint - uint mNbConstraints; - - /// Type of the constraint - const ConstraintType mType; - - /// Cached lambda values of each mathematical constraint for - /// more precise initializaton of LCP solver - std::vector mCachedLambdas; - - // -------------------- Methods -------------------- // - - /// Private copy-constructor - Constraint(const Constraint& constraint); - - /// Private assignment operator - Constraint& operator=(const Constraint& constraint); - - public : - - // -------------------- Methods -------------------- // - - /// Constructor - Constraint(RigidBody* const body1, RigidBody* const body2, uint nbConstraints, - bool active, ConstraintType type); - - /// Destructor - virtual ~Constraint(); - - /// Return the reference to the body 1 - RigidBody* const getBody1() const; - - /// Return the reference to the body 2 - RigidBody* const getBody2() const; - - /// Return true if the constraint is active - bool isActive() const; - - /// Return the type of the constraint - ConstraintType getType() const; - - /// Return the number of mathematical constraints - unsigned int getNbConstraints() const; - - /// Get one cached lambda value - decimal getCachedLambda(uint index) const; - - /// Set on cached lambda value - void setCachedLambda(uint index, decimal lambda); -}; - -// Return the reference to the body 1 -inline RigidBody* const Constraint::getBody1() const { - return mBody1; -} - -// Return the reference to the body 2 -inline RigidBody* const Constraint::getBody2() const { - return mBody2; -} - -// Return true if the constraint is active -inline bool Constraint::isActive() const { - return mActive; -} - -// Return the type of the constraint -inline ConstraintType Constraint::getType() const { - return mType; -} - - -// Return the number auxiliary constraints -inline uint Constraint::getNbConstraints() const { - return mNbConstraints; -} - -// Get one previous lambda value -inline decimal Constraint::getCachedLambda(uint index) const { - assert(index < mNbConstraints); - return mCachedLambdas[index]; -} - -// Set on cached lambda value -inline void Constraint::setCachedLambda(uint index, decimal lambda) { - assert(index < mNbConstraints); - mCachedLambdas[index] = lambda; -} - -} - -#endif diff --git a/src/constraint/ContactPoint.cpp b/src/constraint/ContactPoint.cpp index d2f34781..1f7b9dd3 100644 --- a/src/constraint/ContactPoint.cpp +++ b/src/constraint/ContactPoint.cpp @@ -30,15 +30,18 @@ using namespace reactphysics3d; using namespace std; // Constructor -ContactPoint::ContactPoint(RigidBody* const body1, RigidBody* const body2, - const ContactInfo* contactInfo) - : Constraint(body1, body2, 3, true, CONTACT), mNormal(contactInfo->normal), - mPenetrationDepth(contactInfo->penetrationDepth), - mLocalPointOnBody1(contactInfo->localPoint1), - mLocalPointOnBody2(contactInfo->localPoint2), - mWorldPointOnBody1(body1->getTransform() * contactInfo->localPoint1), - mWorldPointOnBody2(body2->getTransform() * contactInfo->localPoint2), - mIsRestingContact(false), mFrictionVectors(2, Vector3(0, 0, 0)) { +ContactPoint::ContactPoint(const ContactPointInfo& contactInfo) + : mBody1(contactInfo.body1), mBody2(contactInfo.body2), + mNormal(contactInfo.normal), + mPenetrationDepth(contactInfo.penetrationDepth), + mLocalPointOnBody1(contactInfo.localPoint1), + mLocalPointOnBody2(contactInfo.localPoint2), + mWorldPointOnBody1(contactInfo.body1->getTransform() * contactInfo.localPoint1), + mWorldPointOnBody2(contactInfo.body2->getTransform() * contactInfo.localPoint2), + mIsRestingContact(false) { + + mFrictionVectors[0] = Vector3(0, 0, 0); + mFrictionVectors[1] = Vector3(0, 0, 0); assert(mPenetrationDepth > 0.0); diff --git a/src/constraint/ContactPoint.h b/src/constraint/ContactPoint.h index e501e036..21a6a37f 100644 --- a/src/constraint/ContactPoint.h +++ b/src/constraint/ContactPoint.h @@ -23,46 +23,87 @@ * * ********************************************************************************/ -#ifndef CONTACT_POINT_H -#define CONTACT_POINT_H +#ifndef REACTPHYSICS3D_CONTACT_POINT_H +#define REACTPHYSICS3D_CONTACT_POINT_H // Libraries -#include "Constraint.h" -#include "../collision/ContactInfo.h" #include "../body/RigidBody.h" #include "../configuration.h" #include "../mathematics/mathematics.h" -#include "../memory/MemoryPool.h" #include "../configuration.h" -#if defined(VISUAL_DEBUG) - #if defined(APPLE_OS) - #include - #include - #elif defined(WINDOWS_OS) - #include - #include - #elif defined(LINUX_OS) - #include - #include - #endif -#endif - /// ReactPhysics3D namespace namespace reactphysics3d { +// Structure ContactPointInfo +/** + * This structure contains informations about a collision contact + * computed during the narrow-phase collision detection. Those + * informations are used to compute the contact set for a contact + * between two bodies. + */ +struct ContactPointInfo { + + private: + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + ContactPointInfo(const ContactPointInfo& contactInfo); + + /// Private assignment operator + ContactPointInfo& operator=(const ContactPointInfo& contactInfo); + + public: + + // -------------------- Attributes -------------------- // + + /// First rigid body of the constraint + RigidBody* body1; + + /// Second rigid body of the constraint + RigidBody* body2; + + /// Normal vector the the collision contact in world space + const Vector3 normal; + + /// Penetration depth of the contact + const decimal penetrationDepth; + + /// Contact point of body 1 in local space of body 1 + const Vector3 localPoint1; + + /// Contact point of body 2 in local space of body 2 + const Vector3 localPoint2; + + // -------------------- Methods -------------------- // + + /// Constructor + ContactPointInfo(const Vector3& normal, decimal penetrationDepth, + const Vector3& localPoint1, const Vector3& localPoint2) + : normal(normal), penetrationDepth(penetrationDepth), + localPoint1(localPoint1), localPoint2(localPoint2) { + + } +}; + // Class ContactPoint /** * This class represents a collision contact point between two - * bodies in the physics engine. The ContactPoint class inherits from - * the Constraint class. + * bodies in the physics engine. */ -class ContactPoint : public Constraint { +class ContactPoint { - protected : + private : // -------------------- Attributes -------------------- // + /// First rigid body of the contact + RigidBody* mBody1; + + /// Second rigid body of the contact + RigidBody* mBody2; + /// Normal vector of the contact (From body1 toward body2) in world space const Vector3 mNormal; @@ -85,7 +126,16 @@ class ContactPoint : public Constraint { bool mIsRestingContact; /// Two orthogonal vectors that span the tangential friction plane - std::vector mFrictionVectors; + Vector3 mFrictionVectors[2]; + + /// Cached penetration impulse + decimal mPenetrationImpulse; + + /// Cached first friction impulse + decimal mFrictionImpulse1; + + /// Cached second friction impulse + decimal mFrictionImpulse2; // -------------------- Methods -------------------- // @@ -100,10 +150,16 @@ class ContactPoint : public Constraint { // -------------------- Methods -------------------- // /// Constructor - ContactPoint(RigidBody* const body1, RigidBody* const body2, const ContactInfo* contactInfo); + ContactPoint(const ContactPointInfo& contactInfo); /// Destructor - virtual ~ContactPoint(); + ~ContactPoint(); + + /// Return the reference to the body 1 + RigidBody* const getBody1() const; + + /// Return the reference to the body 2 + RigidBody* const getBody2() const; /// Return the normal vector of the contact Vector3 getNormal() const; @@ -123,6 +179,24 @@ class ContactPoint : public Constraint { /// Return the contact world point on body 2 Vector3 getWorldPointOnBody2() const; + /// Return the cached penetration impulse + decimal getPenetrationImpulse() const; + + /// Return the cached first friction impulse + decimal getFrictionImpulse1() const; + + /// Return the cached second friction impulse + decimal getFrictionImpulse2() const; + + /// Set the cached penetration impulse + void setPenetrationImpulse(decimal impulse); + + /// Set the first cached friction impulse + void setFrictionImpulse1(decimal impulse); + + /// Set the second cached friction impulse + void setFrictionImpulse2(decimal impulse); + /// Set the contact world point on body 1 void setWorldPointOnBody1(const Vector3& worldPoint); @@ -150,12 +224,20 @@ class ContactPoint : public Constraint { /// Return the penetration depth decimal getPenetrationDepth() const; - #ifdef VISUAL_DEBUG - /// Draw the contact (for debugging) - void draw() const; - #endif + /// Return the number of bytes used by the contact point + size_t getSizeInBytes() const; }; +// Return the reference to the body 1 +inline RigidBody* const ContactPoint::getBody1() const { + return mBody1; +} + +// Return the reference to the body 2 +inline RigidBody* const ContactPoint::getBody2() const { + return mBody2; +} + // Return the normal vector of the contact inline Vector3 ContactPoint::getNormal() const { return mNormal; @@ -186,6 +268,36 @@ inline Vector3 ContactPoint::getWorldPointOnBody2() const { return mWorldPointOnBody2; } +// Return the cached penetration impulse +inline decimal ContactPoint::getPenetrationImpulse() const { + return mPenetrationImpulse; +} + +// Return the cached first friction impulse +inline decimal ContactPoint::getFrictionImpulse1() const { + return mFrictionImpulse1; +} + +// Return the cached second friction impulse +inline decimal ContactPoint::getFrictionImpulse2() const { + return mFrictionImpulse2; +} + +// Set the cached penetration impulse +inline void ContactPoint::setPenetrationImpulse(decimal impulse) { + mPenetrationImpulse = impulse; +} + +// Set the first cached friction impulse +inline void ContactPoint::setFrictionImpulse1(decimal impulse) { + mFrictionImpulse1 = impulse; +} + +// Set the second cached friction impulse +inline void ContactPoint::setFrictionImpulse2(decimal impulse) { + mFrictionImpulse2 = impulse; +} + // Set the contact world point on body 1 inline void ContactPoint::setWorldPointOnBody1(const Vector3& worldPoint) { mWorldPointOnBody1 = worldPoint; @@ -231,13 +343,10 @@ inline decimal ContactPoint::getPenetrationDepth() const { return mPenetrationDepth; } - -#ifdef VISUAL_DEBUG -inline void ContactPoint::draw() const { - glColor3f(1.0, 0.0, 0.0); - glutSolidSphere(0.3, 20, 20); +// Return the number of bytes used by the contact point +inline size_t ContactPoint::getSizeInBytes() const { + return sizeof(ContactPoint); } -#endif } diff --git a/src/constraint/FixedJoint.cpp b/src/constraint/FixedJoint.cpp new file mode 100644 index 00000000..b649d88b --- /dev/null +++ b/src/constraint/FixedJoint.cpp @@ -0,0 +1,397 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "FixedJoint.h" +#include "../engine/ConstraintSolver.h" + +using namespace reactphysics3d; + +// Static variables definition +const decimal FixedJoint::BETA = decimal(0.2); + +// Constructor +FixedJoint::FixedJoint(const FixedJointInfo& jointInfo) + : Joint(jointInfo), mImpulseTranslation(0, 0, 0), mImpulseRotation(0, 0, 0) { + + // Compute the local-space anchor point for each body + const Transform& transform1 = mBody1->getTransform(); + const Transform& transform2 = mBody2->getTransform(); + mLocalAnchorPointBody1 = transform1.getInverse() * jointInfo.anchorPointWorldSpace; + mLocalAnchorPointBody2 = transform2.getInverse() * jointInfo.anchorPointWorldSpace; + + // Compute the inverse of the initial orientation difference between the two bodies + mInitOrientationDifferenceInv = transform2.getOrientation() * + transform1.getOrientation().getInverse(); + mInitOrientationDifferenceInv.normalize(); + mInitOrientationDifferenceInv.inverse(); +} + +// Destructor +FixedJoint::~FixedJoint() { + +} + +// Initialize before solving the constraint +void FixedJoint::initBeforeSolve(const ConstraintSolverData& constraintSolverData) { + + // Initialize the bodies index in the velocity array + mIndexBody1 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody1)->second; + mIndexBody2 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody2)->second; + + // Get the bodies positions and orientations + const Vector3& x1 = mBody1->getTransform().getPosition(); + const Vector3& x2 = mBody2->getTransform().getPosition(); + const Quaternion& orientationBody1 = mBody1->getTransform().getOrientation(); + const Quaternion& orientationBody2 = mBody2->getTransform().getOrientation(); + + // Get the inertia tensor of bodies + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = orientationBody1 * mLocalAnchorPointBody1; + mR2World = orientationBody2 * mLocalAnchorPointBody2; + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // Compute the matrix K=JM^-1J^t (3x3 matrix) for the 3 translation constraints + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += mBody2->getMassInverse(); + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + + // Compute the inverse mass matrix K^-1 for the 3 translation constraints + mInverseMassMatrixTranslation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslation = massMatrix.getInverse(); + } + + // Compute the bias "b" of the constraint for the 3 translation constraints + decimal biasFactor = (BETA / constraintSolverData.timeStep); + mBiasTranslation.setToZero(); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBiasTranslation = biasFactor * (x2 + mR2World - x1 - mR1World); + } + + // Compute the inverse of the mass matrix K=JM^-1J^t for the 3 rotation + // contraints (3x3 matrix) + mInverseMassMatrixRotation.setToZero(); + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixRotation += mI1; + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation += mI2; + } + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation = mInverseMassMatrixRotation.getInverse(); + } + + // Compute the bias "b" for the 3 rotation constraints + mBiasRotation.setToZero(); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + Quaternion currentOrientationDifference = orientationBody2 * orientationBody1.getInverse(); + currentOrientationDifference.normalize(); + const Quaternion qError = currentOrientationDifference * mInitOrientationDifferenceInv; + mBiasRotation = biasFactor * decimal(2.0) * qError.getVectorV(); + } + + // If warm-starting is not enabled + if (!constraintSolverData.isWarmStartingActive) { + + // Reset the accumulated impulses + mImpulseTranslation.setToZero(); + mImpulseRotation.setToZero(); + } +} + +// Warm start the constraint (apply the previous impulse at the beginning of the step) +void FixedJoint::warmstart(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass of the bodies + const decimal inverseMassBody1 = mBody1->getMassInverse(); + const decimal inverseMassBody2 = mBody2->getMassInverse(); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 translation constraints + Vector3 linearImpulseBody1 = -mImpulseTranslation; + Vector3 angularImpulseBody1 = mImpulseTranslation.cross(mR1World); + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + angularImpulseBody1 += -mImpulseRotation; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 translation constraints + Vector3 linearImpulseBody2 = mImpulseTranslation; + Vector3 angularImpulseBody2 = -mImpulseTranslation.cross(mR2World); + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + angularImpulseBody2 += mImpulseRotation; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the velocity constraint +void FixedJoint::solveVelocityConstraint(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // --------------- Translation Constraints --------------- // + + // Compute J*v for the 3 translation constraints + const Vector3 JvTranslation = v2 + w2.cross(mR2World) - v1 - w1.cross(mR1World); + + // Compute the Lagrange multiplier lambda + const Vector3 deltaLambda = mInverseMassMatrixTranslation * + (-JvTranslation - mBiasTranslation); + mImpulseTranslation += deltaLambda; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody1 = -deltaLambda; + const Vector3 angularImpulseBody1 = deltaLambda.cross(mR1World); + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody2 = deltaLambda; + const Vector3 angularImpulseBody2 = -deltaLambda.cross(mR2World); + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } + + // --------------- Rotation Constraints --------------- // + + // Compute J*v for the 3 rotation constraints + const Vector3 JvRotation = w2 - w1; + + // Compute the Lagrange multiplier lambda for the 3 rotation constraints + Vector3 deltaLambda2 = mInverseMassMatrixRotation * (-JvRotation - mBiasRotation); + mImpulseRotation += deltaLambda2; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody1 = -deltaLambda2; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody2 = deltaLambda2; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the position constraint (for position error correction) +void FixedJoint::solvePositionConstraint(const ConstraintSolverData& constraintSolverData) { + + // If the error position correction technique is not the non-linear-gauss-seidel, we do + // do not execute this method + if (mPositionCorrectionTechnique != NON_LINEAR_GAUSS_SEIDEL) return; + + // Get the bodies positions and orientations + Vector3& x1 = constraintSolverData.positions[mIndexBody1]; + Vector3& x2 = constraintSolverData.positions[mIndexBody2]; + Quaternion& q1 = constraintSolverData.orientations[mIndexBody1]; + Quaternion& q2 = constraintSolverData.orientations[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Recompute the inverse inertia tensors + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = q1 * mLocalAnchorPointBody1; + mR2World = q2 * mLocalAnchorPointBody2; + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // --------------- Translation Constraints --------------- // + + // Compute the matrix K=JM^-1J^t (3x3 matrix) for the 3 translation constraints + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += mBody2->getMassInverse(); + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + mInverseMassMatrixTranslation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslation = massMatrix.getInverse(); + } + + // Compute position error for the 3 translation constraints + const Vector3 errorTranslation = x2 + mR2World - x1 - mR1World; + + // Compute the Lagrange multiplier lambda + const Vector3 lambdaTranslation = mInverseMassMatrixTranslation * (-errorTranslation); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse + Vector3 linearImpulseBody1 = -lambdaTranslation; + Vector3 angularImpulseBody1 = lambdaTranslation.cross(mR1World); + + // Compute the pseudo velocity + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse + Vector3 linearImpulseBody2 = lambdaTranslation; + Vector3 angularImpulseBody2 = -lambdaTranslation.cross(mR2World); + + // Compute the pseudo velocity + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + + // --------------- Rotation Constraints --------------- // + + // Compute the inverse of the mass matrix K=JM^-1J^t for the 3 rotation + // contraints (3x3 matrix) + mInverseMassMatrixRotation.setToZero(); + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixRotation += mI1; + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation += mI2; + } + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation = mInverseMassMatrixRotation.getInverse(); + } + + // Compute the position error for the 3 rotation constraints + Quaternion currentOrientationDifference = q2 * q1.getInverse(); + currentOrientationDifference.normalize(); + const Quaternion qError = currentOrientationDifference * mInitOrientationDifferenceInv; + const Vector3 errorRotation = decimal(2.0) * qError.getVectorV(); + + // Compute the Lagrange multiplier lambda for the 3 rotation constraints + Vector3 lambdaRotation = mInverseMassMatrixRotation * (-errorRotation); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody1 = -lambdaRotation; + + // Compute the pseudo velocity + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse + const Vector3 angularImpulseBody2 = lambdaRotation; + + // Compute the pseudo velocity + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } +} + diff --git a/src/constraint/FixedJoint.h b/src/constraint/FixedJoint.h new file mode 100644 index 00000000..9fe3b055 --- /dev/null +++ b/src/constraint/FixedJoint.h @@ -0,0 +1,152 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_FIXED_JOINT_H +#define REACTPHYSICS3D_FIXED_JOINT_H + +// Libraries +#include "Joint.h" +#include "../mathematics/mathematics.h" + +namespace reactphysics3d { + +// Structure FixedJointInfo +/** + * This structure is used to gather the information needed to create a fixed + * joint. This structure will be used to create the actual fixed joint. + */ +struct FixedJointInfo : public JointInfo { + + public : + + // -------------------- Attributes -------------------- // + + /// Anchor point (in world-space coordinates) + Vector3 anchorPointWorldSpace; + + /// Constructor + FixedJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace) + : JointInfo(rigidBody1, rigidBody2, FIXEDJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace){} +}; + +// Class FixedJoint +/** + * This class represents a fixed joint that is used to forbid any translation or rotation + * between two bodies. + */ +class FixedJoint : public Joint { + + private : + + // -------------------- Constants -------------------- // + + // Beta value for the bias factor of position correction + static const decimal BETA; + + // -------------------- Attributes -------------------- // + + /// Anchor point of body 1 (in local-space coordinates of body 1) + Vector3 mLocalAnchorPointBody1; + + /// Anchor point of body 2 (in local-space coordinates of body 2) + Vector3 mLocalAnchorPointBody2; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR1World; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR2World; + + /// Inertia tensor of body 1 (in world-space coordinates) + Matrix3x3 mI1; + + /// Inertia tensor of body 2 (in world-space coordinates) + Matrix3x3 mI2; + + /// Accumulated impulse for the 3 translation constraints + Vector3 mImpulseTranslation; + + /// Accumulate impulse for the 3 rotation constraints + Vector3 mImpulseRotation; + + /// Inverse mass matrix K=JM^-1J^-t of the 3 translation constraints (3x3 matrix) + Matrix3x3 mInverseMassMatrixTranslation; + + /// Inverse mass matrix K=JM^-1J^-t of the 3 rotation constraints (3x3 matrix) + Matrix3x3 mInverseMassMatrixRotation; + + /// Bias vector for the 3 translation constraints + Vector3 mBiasTranslation; + + /// Bias vector for the 3 rotation constraints + Vector3 mBiasRotation; + + /// Inverse of the initial orientation difference between the two bodies + Quaternion mInitOrientationDifferenceInv; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + FixedJoint(const FixedJoint& constraint); + + /// Private assignment operator + FixedJoint& operator=(const FixedJoint& constraint); + + /// Return the number of bytes used by the joint + virtual size_t getSizeInBytes() const; + + /// Initialize before solving the constraint + virtual void initBeforeSolve(const ConstraintSolverData& constraintSolverData); + + /// Warm start the constraint (apply the previous impulse at the beginning of the step) + virtual void warmstart(const ConstraintSolverData& constraintSolverData); + + /// Solve the velocity constraint + virtual void solveVelocityConstraint(const ConstraintSolverData& constraintSolverData); + + /// Solve the position constraint (for position error correction) + virtual void solvePositionConstraint(const ConstraintSolverData& constraintSolverData); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + FixedJoint(const FixedJointInfo& jointInfo); + + /// Destructor + virtual ~FixedJoint(); +}; + +// Return the number of bytes used by the joint +inline size_t FixedJoint::getSizeInBytes() const { + return sizeof(FixedJoint); +} + +} + +#endif diff --git a/src/constraint/HingeJoint.cpp b/src/constraint/HingeJoint.cpp new file mode 100644 index 00000000..9e84b2bc --- /dev/null +++ b/src/constraint/HingeJoint.cpp @@ -0,0 +1,894 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "HingeJoint.h" +#include "../engine/ConstraintSolver.h" +#include + +using namespace reactphysics3d; + +// Static variables definition +const decimal HingeJoint::BETA = decimal(0.2); + +// Constructor +HingeJoint::HingeJoint(const HingeJointInfo& jointInfo) + : Joint(jointInfo), mImpulseTranslation(0, 0, 0), mImpulseRotation(0, 0), + mImpulseLowerLimit(0), mImpulseUpperLimit(0), mImpulseMotor(0), + mIsLimitEnabled(jointInfo.isLimitEnabled), mIsMotorEnabled(jointInfo.isMotorEnabled), + mLowerLimit(jointInfo.minAngleLimit), mUpperLimit(jointInfo.maxAngleLimit), + mIsLowerLimitViolated(false), mIsUpperLimitViolated(false), + mMotorSpeed(jointInfo.motorSpeed), mMaxMotorTorque(jointInfo.maxMotorTorque) { + + assert(mLowerLimit <= 0 && mLowerLimit >= -2.0 * PI); + assert(mUpperLimit >= 0 && mUpperLimit <= 2.0 * PI); + + // Compute the local-space anchor point for each body + Transform transform1 = mBody1->getTransform(); + Transform transform2 = mBody2->getTransform(); + mLocalAnchorPointBody1 = transform1.getInverse() * jointInfo.anchorPointWorldSpace; + mLocalAnchorPointBody2 = transform2.getInverse() * jointInfo.anchorPointWorldSpace; + + // Compute the local-space hinge axis + mHingeLocalAxisBody1 = transform1.getOrientation().getInverse() * jointInfo.rotationAxisWorld; + mHingeLocalAxisBody2 = transform2.getOrientation().getInverse() * jointInfo.rotationAxisWorld; + mHingeLocalAxisBody1.normalize(); + mHingeLocalAxisBody2.normalize(); + + // Compute the inverse of the initial orientation difference between the two bodies + mInitOrientationDifferenceInv = transform2.getOrientation() * + transform1.getOrientation().getInverse(); + mInitOrientationDifferenceInv.normalize(); + mInitOrientationDifferenceInv.inverse(); +} + +// Destructor +HingeJoint::~HingeJoint() { + +} + +// Initialize before solving the constraint +void HingeJoint::initBeforeSolve(const ConstraintSolverData& constraintSolverData) { + + // Initialize the bodies index in the velocity array + mIndexBody1 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody1)->second; + mIndexBody2 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody2)->second; + + // Get the bodies positions and orientations + const Vector3& x1 = mBody1->getTransform().getPosition(); + const Vector3& x2 = mBody2->getTransform().getPosition(); + const Quaternion& orientationBody1 = mBody1->getTransform().getOrientation(); + const Quaternion& orientationBody2 = mBody2->getTransform().getOrientation(); + + // Get the inertia tensor of bodies + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = orientationBody1 * mLocalAnchorPointBody1; + mR2World = orientationBody2 * mLocalAnchorPointBody2; + + // Compute the current angle around the hinge axis + decimal hingeAngle = computeCurrentHingeAngle(orientationBody1, orientationBody2); + + // Check if the limit constraints are violated or not + decimal lowerLimitError = hingeAngle - mLowerLimit; + decimal upperLimitError = mUpperLimit - hingeAngle; + bool oldIsLowerLimitViolated = mIsLowerLimitViolated; + mIsLowerLimitViolated = lowerLimitError <= 0; + if (mIsLowerLimitViolated != oldIsLowerLimitViolated) { + mImpulseLowerLimit = 0.0; + } + bool oldIsUpperLimitViolated = mIsUpperLimitViolated; + mIsUpperLimitViolated = upperLimitError <= 0; + if (mIsUpperLimitViolated != oldIsUpperLimitViolated) { + mImpulseUpperLimit = 0.0; + } + + // Compute vectors needed in the Jacobian + mA1 = orientationBody1 * mHingeLocalAxisBody1; + Vector3 a2 = orientationBody2 * mHingeLocalAxisBody2; + mA1.normalize(); + a2.normalize(); + const Vector3 b2 = a2.getOneUnitOrthogonalVector(); + const Vector3 c2 = a2.cross(b2); + mB2CrossA1 = b2.cross(mA1); + mC2CrossA1 = c2.cross(mA1); + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // Compute the inverse mass matrix K=JM^-1J^t for the 3 translation constraints (3x3 matrix) + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += mBody2->getMassInverse(); + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + mInverseMassMatrixTranslation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslation = massMatrix.getInverse(); + } + + // Compute the bias "b" of the translation constraints + mBTranslation.setToZero(); + decimal biasFactor = (BETA / constraintSolverData.timeStep); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBTranslation = biasFactor * (x2 + mR2World - x1 - mR1World); + } + + // Compute the inverse mass matrix K=JM^-1J^t for the 2 rotation constraints (2x2 matrix) + Vector3 I1B2CrossA1(0, 0, 0); + Vector3 I1C2CrossA1(0, 0, 0); + Vector3 I2B2CrossA1(0, 0, 0); + Vector3 I2C2CrossA1(0, 0, 0); + if (mBody1->isMotionEnabled()) { + I1B2CrossA1 = mI1 * mB2CrossA1; + I1C2CrossA1 = mI1 * mC2CrossA1; + } + if (mBody2->isMotionEnabled()) { + I2B2CrossA1 = mI2 * mB2CrossA1; + I2C2CrossA1 = mI2 * mC2CrossA1; + } + const decimal el11 = mB2CrossA1.dot(I1B2CrossA1) + + mB2CrossA1.dot(I2B2CrossA1); + const decimal el12 = mB2CrossA1.dot(I1C2CrossA1) + + mB2CrossA1.dot(I2C2CrossA1); + const decimal el21 = mC2CrossA1.dot(I1B2CrossA1) + + mC2CrossA1.dot(I2B2CrossA1); + const decimal el22 = mC2CrossA1.dot(I1C2CrossA1) + + mC2CrossA1.dot(I2C2CrossA1); + const Matrix2x2 matrixKRotation(el11, el12, el21, el22); + mInverseMassMatrixRotation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation = matrixKRotation.getInverse(); + } + + // Compute the bias "b" of the rotation constraints + mBRotation.setToZero(); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBRotation = biasFactor * Vector2(mA1.dot(b2), mA1.dot(c2)); + } + + // If warm-starting is not enabled + if (!constraintSolverData.isWarmStartingActive) { + + // Reset all the accumulated impulses + mImpulseTranslation.setToZero(); + mImpulseRotation.setToZero(); + mImpulseLowerLimit = 0.0; + mImpulseUpperLimit = 0.0; + mImpulseMotor = 0.0; + } + + // If the motor or limits are enabled + if (mIsMotorEnabled || (mIsLimitEnabled && (mIsLowerLimitViolated || mIsUpperLimitViolated))) { + + // Compute the inverse of the mass matrix K=JM^-1J^t for the limits and motor (1x1 matrix) + mInverseMassMatrixLimitMotor = 0.0; + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixLimitMotor += mA1.dot(mI1 * mA1); + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixLimitMotor += mA1.dot(mI2 * mA1); + } + mInverseMassMatrixLimitMotor = (mInverseMassMatrixLimitMotor > 0.0) ? + decimal(1.0) / mInverseMassMatrixLimitMotor : decimal(0.0); + + if (mIsLimitEnabled) { + + // Compute the bias "b" of the lower limit constraint + mBLowerLimit = 0.0; + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBLowerLimit = biasFactor * lowerLimitError; + } + + // Compute the bias "b" of the upper limit constraint + mBUpperLimit = 0.0; + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBUpperLimit = biasFactor * upperLimitError; + } + } + } +} + +// Warm start the constraint (apply the previous impulse at the beginning of the step) +void HingeJoint::warmstart(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + const decimal inverseMassBody1 = mBody1->getMassInverse(); + const decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Compute the impulse P=J^T * lambda for the 2 rotation constraints + Vector3 rotationImpulse = -mB2CrossA1 * mImpulseRotation.x - mC2CrossA1 * mImpulseRotation.y; + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + const Vector3 limitsImpulse = (mImpulseUpperLimit - mImpulseLowerLimit) * mA1; + + // Compute the impulse P=J^T * lambda for the motor constraint + const Vector3 motorImpulse = -mImpulseMotor * mA1; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 translation constraints + Vector3 linearImpulseBody1 = -mImpulseTranslation; + Vector3 angularImpulseBody1 = mImpulseTranslation.cross(mR1World); + + // Compute the impulse P=J^T * lambda for the 2 rotation constraints + angularImpulseBody1 += rotationImpulse; + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + angularImpulseBody1 += limitsImpulse; + + // Compute the impulse P=J^T * lambda for the motor constraint + angularImpulseBody1 += motorImpulse; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 translation constraints + Vector3 linearImpulseBody2 = mImpulseTranslation; + Vector3 angularImpulseBody2 = -mImpulseTranslation.cross(mR2World); + + // Compute the impulse P=J^T * lambda for the 2 rotation constraints + angularImpulseBody2 += -rotationImpulse; + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + angularImpulseBody2 += -limitsImpulse; + + // Compute the impulse P=J^T * lambda for the motor constraint + angularImpulseBody2 += -motorImpulse; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the velocity constraint +void HingeJoint::solveVelocityConstraint(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // --------------- Translation Constraints --------------- // + + // Compute J*v + const Vector3 JvTranslation = v2 + w2.cross(mR2World) - v1 - w1.cross(mR1World); + + // Compute the Lagrange multiplier lambda + const Vector3 deltaLambdaTranslation = mInverseMassMatrixTranslation * + (-JvTranslation - mBTranslation); + mImpulseTranslation += deltaLambdaTranslation; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody1 = -deltaLambdaTranslation; + const Vector3 angularImpulseBody1 = deltaLambdaTranslation.cross(mR1World); + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 linearImpulseBody2 = deltaLambdaTranslation; + const Vector3 angularImpulseBody2 = -deltaLambdaTranslation.cross(mR2World); + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } + + // --------------- Rotation Constraints --------------- // + + // Compute J*v for the 2 rotation constraints + const Vector2 JvRotation(-mB2CrossA1.dot(w1) + mB2CrossA1.dot(w2), + -mC2CrossA1.dot(w1) + mC2CrossA1.dot(w2)); + + // Compute the Lagrange multiplier lambda for the 2 rotation constraints + Vector2 deltaLambdaRotation = mInverseMassMatrixRotation * (-JvRotation - mBRotation); + mImpulseRotation += deltaLambdaRotation; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 rotation constraints + const Vector3 angularImpulseBody1 = -mB2CrossA1 * deltaLambdaRotation.x - + mC2CrossA1 * deltaLambdaRotation.y; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 rotation constraints + const Vector3 angularImpulseBody2 = mB2CrossA1 * deltaLambdaRotation.x + + mC2CrossA1 * deltaLambdaRotation.y; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } + + // --------------- Limits Constraints --------------- // + + if (mIsLimitEnabled) { + + // If the lower limit is violated + if (mIsLowerLimitViolated) { + + // Compute J*v for the lower limit constraint + const decimal JvLowerLimit = (w2 - w1).dot(mA1); + + // Compute the Lagrange multiplier lambda for the lower limit constraint + decimal deltaLambdaLower = mInverseMassMatrixLimitMotor * (-JvLowerLimit -mBLowerLimit); + decimal lambdaTemp = mImpulseLowerLimit; + mImpulseLowerLimit = std::max(mImpulseLowerLimit + deltaLambdaLower, decimal(0.0)); + deltaLambdaLower = mImpulseLowerLimit - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 angularImpulseBody1 = -deltaLambdaLower * mA1; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 angularImpulseBody2 = deltaLambdaLower * mA1; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } + } + + // If the upper limit is violated + if (mIsUpperLimitViolated) { + + // Compute J*v for the upper limit constraint + const decimal JvUpperLimit = -(w2 - w1).dot(mA1); + + // Compute the Lagrange multiplier lambda for the upper limit constraint + decimal deltaLambdaUpper = mInverseMassMatrixLimitMotor * (-JvUpperLimit -mBUpperLimit); + decimal lambdaTemp = mImpulseUpperLimit; + mImpulseUpperLimit = std::max(mImpulseUpperLimit + deltaLambdaUpper, decimal(0.0)); + deltaLambdaUpper = mImpulseUpperLimit - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 angularImpulseBody1 = deltaLambdaUpper * mA1; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 angularImpulseBody2 = -deltaLambdaUpper * mA1; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } + } + } + + // --------------- Motor --------------- // + + // If the motor is enabled + if (mIsMotorEnabled) { + + // Compute J*v for the motor + const decimal JvMotor = mA1.dot(w1 - w2); + + // Compute the Lagrange multiplier lambda for the motor + const decimal maxMotorImpulse = mMaxMotorTorque * constraintSolverData.timeStep; + decimal deltaLambdaMotor = mInverseMassMatrixLimitMotor * (-JvMotor - mMotorSpeed); + decimal lambdaTemp = mImpulseMotor; + mImpulseMotor = clamp(mImpulseMotor + deltaLambdaMotor, -maxMotorImpulse, maxMotorImpulse); + deltaLambdaMotor = mImpulseMotor - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the motor + const Vector3 angularImpulseBody1 = -deltaLambdaMotor * mA1; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the motor + const Vector3 angularImpulseBody2 = deltaLambdaMotor * mA1; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } + } +} + +// Solve the position constraint (for position error correction) +void HingeJoint::solvePositionConstraint(const ConstraintSolverData& constraintSolverData) { + + // If the error position correction technique is not the non-linear-gauss-seidel, we do + // do not execute this method + if (mPositionCorrectionTechnique != NON_LINEAR_GAUSS_SEIDEL) return; + + // Get the bodies positions and orientations + Vector3& x1 = constraintSolverData.positions[mIndexBody1]; + Vector3& x2 = constraintSolverData.positions[mIndexBody2]; + Quaternion& q1 = constraintSolverData.orientations[mIndexBody1]; + Quaternion& q2 = constraintSolverData.orientations[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Recompute the inverse inertia tensors + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Compute the vector from body center to the anchor point in world-space + mR1World = q1 * mLocalAnchorPointBody1; + mR2World = q2 * mLocalAnchorPointBody2; + + // Compute the current angle around the hinge axis + decimal hingeAngle = computeCurrentHingeAngle(q1, q2); + + // Check if the limit constraints are violated or not + decimal lowerLimitError = hingeAngle - mLowerLimit; + decimal upperLimitError = mUpperLimit - hingeAngle; + mIsLowerLimitViolated = lowerLimitError <= 0; + mIsUpperLimitViolated = upperLimitError <= 0; + + // Compute vectors needed in the Jacobian + mA1 = q1 * mHingeLocalAxisBody1; + Vector3 a2 = q2 * mHingeLocalAxisBody2; + mA1.normalize(); + a2.normalize(); + const Vector3 b2 = a2.getOneUnitOrthogonalVector(); + const Vector3 c2 = a2.cross(b2); + mB2CrossA1 = b2.cross(mA1); + mC2CrossA1 = c2.cross(mA1); + + // Compute the corresponding skew-symmetric matrices + Matrix3x3 skewSymmetricMatrixU1= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR1World); + Matrix3x3 skewSymmetricMatrixU2= Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(mR2World); + + // --------------- Translation Constraints --------------- // + + // Compute the matrix K=JM^-1J^t (3x3 matrix) for the 3 translation constraints + decimal inverseMassBodies = 0.0; + if (mBody1->isMotionEnabled()) { + inverseMassBodies += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + inverseMassBodies += mBody2->getMassInverse(); + } + Matrix3x3 massMatrix = Matrix3x3(inverseMassBodies, 0, 0, + 0, inverseMassBodies, 0, + 0, 0, inverseMassBodies); + if (mBody1->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU1 * mI1 * skewSymmetricMatrixU1.getTranspose(); + } + if (mBody2->isMotionEnabled()) { + massMatrix += skewSymmetricMatrixU2 * mI2 * skewSymmetricMatrixU2.getTranspose(); + } + mInverseMassMatrixTranslation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslation = massMatrix.getInverse(); + } + + // Compute position error for the 3 translation constraints + const Vector3 errorTranslation = x2 + mR2World - x1 - mR1World; + + // Compute the Lagrange multiplier lambda + const Vector3 lambdaTranslation = mInverseMassMatrixTranslation * (-errorTranslation); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse + Vector3 linearImpulseBody1 = -lambdaTranslation; + Vector3 angularImpulseBody1 = lambdaTranslation.cross(mR1World); + + // Compute the pseudo velocity + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse + Vector3 linearImpulseBody2 = lambdaTranslation; + Vector3 angularImpulseBody2 = -lambdaTranslation.cross(mR2World); + + // Compute the pseudo velocity + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + + // --------------- Rotation Constraints --------------- // + + // Compute the inverse mass matrix K=JM^-1J^t for the 2 rotation constraints (2x2 matrix) + Vector3 I1B2CrossA1(0, 0, 0); + Vector3 I1C2CrossA1(0, 0, 0); + Vector3 I2B2CrossA1(0, 0, 0); + Vector3 I2C2CrossA1(0, 0, 0); + if (mBody1->isMotionEnabled()) { + I1B2CrossA1 = mI1 * mB2CrossA1; + I1C2CrossA1 = mI1 * mC2CrossA1; + } + if (mBody2->isMotionEnabled()) { + I2B2CrossA1 = mI2 * mB2CrossA1; + I2C2CrossA1 = mI2 * mC2CrossA1; + } + const decimal el11 = mB2CrossA1.dot(I1B2CrossA1) + + mB2CrossA1.dot(I2B2CrossA1); + const decimal el12 = mB2CrossA1.dot(I1C2CrossA1) + + mB2CrossA1.dot(I2C2CrossA1); + const decimal el21 = mC2CrossA1.dot(I1B2CrossA1) + + mC2CrossA1.dot(I2B2CrossA1); + const decimal el22 = mC2CrossA1.dot(I1C2CrossA1) + + mC2CrossA1.dot(I2C2CrossA1); + const Matrix2x2 matrixKRotation(el11, el12, el21, el22); + mInverseMassMatrixRotation.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotation = matrixKRotation.getInverse(); + } + + // Compute the position error for the 3 rotation constraints + const Vector2 errorRotation = Vector2(mA1.dot(b2), mA1.dot(c2)); + + // Compute the Lagrange multiplier lambda for the 3 rotation constraints + Vector2 lambdaRotation = mInverseMassMatrixRotation * (-errorRotation); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody1 = -mB2CrossA1 * lambdaRotation.x - + mC2CrossA1 * lambdaRotation.y; + + // Compute the pseudo velocity + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse + const Vector3 angularImpulseBody2 = mB2CrossA1 * lambdaRotation.x + + mC2CrossA1 * lambdaRotation.y; + + // Compute the pseudo velocity + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + + // --------------- Limits Constraints --------------- // + + if (mIsLimitEnabled) { + + if (mIsLowerLimitViolated || mIsUpperLimitViolated) { + + // Compute the inverse of the mass matrix K=JM^-1J^t for the limits (1x1 matrix) + mInverseMassMatrixLimitMotor = 0.0; + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixLimitMotor += mA1.dot(mI1 * mA1); + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixLimitMotor += mA1.dot(mI2 * mA1); + } + mInverseMassMatrixLimitMotor = (mInverseMassMatrixLimitMotor > 0.0) ? + decimal(1.0) / mInverseMassMatrixLimitMotor : decimal(0.0); + } + + // If the lower limit is violated + if (mIsLowerLimitViolated) { + + // Compute the Lagrange multiplier lambda for the lower limit constraint + decimal lambdaLowerLimit = mInverseMassMatrixLimitMotor * (-lowerLimitError ); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 angularImpulseBody1 = -lambdaLowerLimit * mA1; + + // Compute the pseudo velocity + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 angularImpulseBody2 = lambdaLowerLimit * mA1; + + // Compute the pseudo velocity + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + } + + // If the upper limit is violated + if (mIsUpperLimitViolated) { + + // Compute the Lagrange multiplier lambda for the upper limit constraint + decimal lambdaUpperLimit = mInverseMassMatrixLimitMotor * (-upperLimitError); + + // Apply the impulse to the bodies of the joint + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 angularImpulseBody1 = lambdaUpperLimit * mA1; + + // Compute the pseudo velocity + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda + const Vector3 angularImpulseBody2 = -lambdaUpperLimit * mA1; + + // Compute the pseudo velocity + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + } + } +} + + +// Enable/Disable the limits of the joint +void HingeJoint::enableLimit(bool isLimitEnabled) { + + if (isLimitEnabled != mIsLimitEnabled) { + + mIsLimitEnabled = isLimitEnabled; + + // Reset the limits + resetLimits(); + } +} + +// Enable/Disable the motor of the joint +void HingeJoint::enableMotor(bool isMotorEnabled) { + + mIsMotorEnabled = isMotorEnabled; + mImpulseMotor = 0.0; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); +} + +// Set the minimum angle limit +void HingeJoint::setMinAngleLimit(decimal lowerLimit) { + + assert(mLowerLimit <= 0 && mLowerLimit >= -2.0 * PI); + + if (lowerLimit != mLowerLimit) { + + mLowerLimit = lowerLimit; + + // Reset the limits + resetLimits(); + } +} + +// Set the maximum angle limit +void HingeJoint::setMaxAngleLimit(decimal upperLimit) { + + assert(upperLimit >= 0 && upperLimit <= 2.0 * PI); + + if (upperLimit != mUpperLimit) { + + mUpperLimit = upperLimit; + + // Reset the limits + resetLimits(); + } +} + +// Reset the limits +void HingeJoint::resetLimits() { + + // Reset the accumulated impulses for the limits + mImpulseLowerLimit = 0.0; + mImpulseUpperLimit = 0.0; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); +} + +// Set the motor speed +void HingeJoint::setMotorSpeed(decimal motorSpeed) { + + if (motorSpeed != mMotorSpeed) { + + mMotorSpeed = motorSpeed; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); + } +} + +// Set the maximum motor torque +void HingeJoint::setMaxMotorTorque(decimal maxMotorTorque) { + + if (maxMotorTorque != mMaxMotorTorque) { + + assert(mMaxMotorTorque >= 0.0); + mMaxMotorTorque = maxMotorTorque; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); + } +} + +// Given an angle in radian, this method returns the corresponding angle in the range [-pi; pi] +decimal HingeJoint::computeNormalizedAngle(decimal angle) const { + + // Convert it into the range [-2*pi; 2*pi] + angle = fmod(angle, PI_TIMES_2); + + // Convert it into the range [-pi; pi] + if (angle < -PI) { + return angle + PI_TIMES_2; + } + else if (angle > PI) { + return angle - PI_TIMES_2; + } + else { + return angle; + } +} + +// Given an "inputAngle" in the range [-pi, pi], this method returns an +// angle (modulo 2*pi) in the range [-2*pi; 2*pi] that is closest to one of the +// two angle limits in arguments. +decimal HingeJoint::computeCorrespondingAngleNearLimits(decimal inputAngle, decimal lowerLimitAngle, + decimal upperLimitAngle) const { + if (upperLimitAngle <= lowerLimitAngle) { + return inputAngle; + } + else if (inputAngle > upperLimitAngle) { + decimal diffToUpperLimit = fabs(computeNormalizedAngle(inputAngle - upperLimitAngle)); + decimal diffToLowerLimit = fabs(computeNormalizedAngle(inputAngle - lowerLimitAngle)); + return (diffToUpperLimit > diffToLowerLimit) ? (inputAngle - PI_TIMES_2) : inputAngle; + } + else if (inputAngle < lowerLimitAngle) { + decimal diffToUpperLimit = fabs(computeNormalizedAngle(upperLimitAngle - inputAngle)); + decimal diffToLowerLimit = fabs(computeNormalizedAngle(lowerLimitAngle - inputAngle)); + return (diffToUpperLimit > diffToLowerLimit) ? inputAngle : (inputAngle + PI_TIMES_2); + } + else { + return inputAngle; + } +} + +// Compute the current angle around the hinge axis +decimal HingeJoint::computeCurrentHingeAngle(const Quaternion& orientationBody1, + const Quaternion& orientationBody2) { + + decimal hingeAngle; + + // Compute the current orientation difference between the two bodies + Quaternion currentOrientationDiff = orientationBody2 * orientationBody1.getInverse(); + currentOrientationDiff.normalize(); + + // Compute the relative rotation considering the initial orientation difference + Quaternion relativeRotation = currentOrientationDiff * mInitOrientationDifferenceInv; + relativeRotation.normalize(); + + // A quaternion q = [cos(theta/2); sin(theta/2) * rotAxis] where rotAxis is a unit + // length vector. We can extract cos(theta/2) with q.w and we can extract |sin(theta/2)| with : + // |sin(theta/2)| = q.getVectorV().length() since rotAxis is unit length. Note that any + // rotation can be represented by a quaternion q and -q. Therefore, if the relative rotation + // axis is not pointing in the same direction as the hinge axis, we use the rotation -q which + // has the same |sin(theta/2)| value but the value cos(theta/2) is sign inverted. Some details + // about this trick is explained in the source code of OpenTissue (http://www.opentissue.org). + decimal cosHalfAngle = relativeRotation.w; + decimal sinHalfAngleAbs = relativeRotation.getVectorV().length(); + + // Compute the dot product of the relative rotation axis and the hinge axis + decimal dotProduct = relativeRotation.getVectorV().dot(mA1); + + // If the relative rotation axis and the hinge axis are pointing the same direction + if (dotProduct >= decimal(0.0)) { + hingeAngle = decimal(2.0) * std::atan2(sinHalfAngleAbs, cosHalfAngle); + } + else { + hingeAngle = decimal(2.0) * std::atan2(sinHalfAngleAbs, -cosHalfAngle); + } + + // Convert the angle from range [-2*pi; 2*pi] into the range [-pi; pi] + hingeAngle = computeNormalizedAngle(hingeAngle); + + // Compute and return the corresponding angle near one the two limits + return computeCorrespondingAngleNearLimits(hingeAngle, mLowerLimit, mUpperLimit); +} + diff --git a/src/constraint/HingeJoint.h b/src/constraint/HingeJoint.h new file mode 100644 index 00000000..00dacd29 --- /dev/null +++ b/src/constraint/HingeJoint.h @@ -0,0 +1,358 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_HINGE_JOINT_H +#define REACTPHYSICS3D_HINGE_JOINT_H + +// Libraries +#include "Joint.h" +#include "../mathematics/mathematics.h" + +namespace reactphysics3d { + +// Structure HingeJointInfo +/** + * This structure is used to gather the information needed to create a hinge joint. + * This structure will be used to create the actual hinge joint. + */ +struct HingeJointInfo : public JointInfo { + + public : + + // -------------------- Attributes -------------------- // + + /// Anchor point (in world-space coordinates) + Vector3 anchorPointWorldSpace; + + /// Hinge rotation axis (in world-space coordinates) + Vector3 rotationAxisWorld; + + /// True if the hinge joint limits are enabled + bool isLimitEnabled; + + /// True if the hinge joint motor is enabled + bool isMotorEnabled; + + /// Minimum allowed rotation angle (in radian) if limits are enabled. + /// The angle must be in the range [-2*pi, 0] + decimal minAngleLimit; + + /// Maximum allowed rotation angle (in radian) if limits are enabled. + /// The angle must be in the range [0, 2*pi] + decimal maxAngleLimit; + + /// Motor speed (in radian/second) + decimal motorSpeed; + + /// Maximum motor torque (in Newtons * meters) that can be applied to reach + /// to desired motor speed + decimal maxMotorTorque; + + /// Constructor without limits and without motor + HingeJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initRotationAxisWorld) + : JointInfo(rigidBody1, rigidBody2, HINGEJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + rotationAxisWorld(initRotationAxisWorld), isLimitEnabled(false), + isMotorEnabled(false), minAngleLimit(-1), maxAngleLimit(1), + motorSpeed(0), maxMotorTorque(0) {} + + /// Constructor with limits but without motor + HingeJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initRotationAxisWorld, + decimal initMinAngleLimit, decimal initMaxAngleLimit) + : JointInfo(rigidBody1, rigidBody2, HINGEJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + rotationAxisWorld(initRotationAxisWorld), isLimitEnabled(true), + isMotorEnabled(false), minAngleLimit(initMinAngleLimit), + maxAngleLimit(initMaxAngleLimit), motorSpeed(0), + maxMotorTorque(0) {} + + /// Constructor with limits and motor + HingeJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initRotationAxisWorld, + decimal initMinAngleLimit, decimal initMaxAngleLimit, + decimal initMotorSpeed, decimal initMaxMotorTorque) + : JointInfo(rigidBody1, rigidBody2, HINGEJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + rotationAxisWorld(initRotationAxisWorld), isLimitEnabled(true), + isMotorEnabled(false), minAngleLimit(initMinAngleLimit), + maxAngleLimit(initMaxAngleLimit), motorSpeed(initMotorSpeed), + maxMotorTorque(initMaxMotorTorque) {} +}; + +// Class HingeJoint +/** + * This class represents a hinge joint that allows arbitrary rotation + * between two bodies around a single axis. This joint has one degree of freedom. It + * can be useful to simulate doors or pendulumns. + */ +class HingeJoint : public Joint { + + private : + + // -------------------- Constants -------------------- // + + // Beta value for the bias factor of position correction + static const decimal BETA; + + // -------------------- Attributes -------------------- // + + /// Anchor point of body 1 (in local-space coordinates of body 1) + Vector3 mLocalAnchorPointBody1; + + /// Anchor point of body 2 (in local-space coordinates of body 2) + Vector3 mLocalAnchorPointBody2; + + /// Hinge rotation axis (in local-space coordinates of body 1) + Vector3 mHingeLocalAxisBody1; + + /// Hinge rotation axis (in local-space coordiantes of body 2) + Vector3 mHingeLocalAxisBody2; + + /// Inertia tensor of body 1 (in world-space coordinates) + Matrix3x3 mI1; + + /// Inertia tensor of body 2 (in world-space coordinates) + Matrix3x3 mI2; + + /// Hinge rotation axis (in world-space coordinates) computed from body 1 + Vector3 mA1; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR1World; + + /// Vector from center of body 2 to anchor point in world-space + Vector3 mR2World; + + /// Cross product of vector b2 and a1 + Vector3 mB2CrossA1; + + /// Cross product of vector c2 and a1; + Vector3 mC2CrossA1; + + /// Impulse for the 3 translation constraints + Vector3 mImpulseTranslation; + + /// Impulse for the 2 rotation constraints + Vector2 mImpulseRotation; + + /// Accumulated impulse for the lower limit constraint + decimal mImpulseLowerLimit; + + /// Accumulated impulse for the upper limit constraint + decimal mImpulseUpperLimit; + + /// Accumulated impulse for the motor constraint; + decimal mImpulseMotor; + + /// Inverse mass matrix K=JM^-1J^t for the 3 translation constraints + Matrix3x3 mInverseMassMatrixTranslation; + + /// Inverse mass matrix K=JM^-1J^t for the 2 rotation constraints + Matrix2x2 mInverseMassMatrixRotation; + + /// Inverse of mass matrix K=JM^-1J^t for the limits and motor constraints (1x1 matrix) + decimal mInverseMassMatrixLimitMotor; + + /// Inverse of mass matrix K=JM^-1J^t for the motor + decimal mInverseMassMatrixMotor; + + /// Bias vector for the error correction for the translation constraints + Vector3 mBTranslation; + + /// Bias vector for the error correction for the rotation constraints + Vector2 mBRotation; + + /// Bias of the lower limit constraint + decimal mBLowerLimit; + + /// Bias of the upper limit constraint + decimal mBUpperLimit; + + /// Inverse of the initial orientation difference between the bodies + Quaternion mInitOrientationDifferenceInv; + + /// True if the joint limits are enabled + bool mIsLimitEnabled; + + /// True if the motor of the joint in enabled + bool mIsMotorEnabled; + + /// Lower limit (minimum allowed rotation angle in radi) + decimal mLowerLimit; + + /// Upper limit (maximum translation distance) + decimal mUpperLimit; + + /// True if the lower limit is violated + bool mIsLowerLimitViolated; + + /// True if the upper limit is violated + bool mIsUpperLimitViolated; + + /// Motor speed + decimal mMotorSpeed; + + /// Maximum motor torque (in Newtons) that can be applied to reach to desired motor speed + decimal mMaxMotorTorque; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + HingeJoint(const HingeJoint& constraint); + + /// Private assignment operator + HingeJoint& operator=(const HingeJoint& constraint); + + /// Reset the limits + void resetLimits(); + + /// Given an angle in radian, this method returns the corresponding + /// angle in the range [-pi; pi] + decimal computeNormalizedAngle(decimal angle) const; + + /// Given an "inputAngle" in the range [-pi, pi], this method returns an + /// angle (modulo 2*pi) in the range [-2*pi; 2*pi] that is closest to one of the + /// two angle limits in arguments. + decimal computeCorrespondingAngleNearLimits(decimal inputAngle, decimal lowerLimitAngle, + decimal upperLimitAngle) const; + + /// Compute the current angle around the hinge axis + decimal computeCurrentHingeAngle(const Quaternion& orientationBody1, + const Quaternion& orientationBody2); + + /// Return the number of bytes used by the joint + virtual size_t getSizeInBytes() const; + + /// Initialize before solving the constraint + virtual void initBeforeSolve(const ConstraintSolverData& constraintSolverData); + + /// Warm start the constraint (apply the previous impulse at the beginning of the step) + virtual void warmstart(const ConstraintSolverData& constraintSolverData); + + /// Solve the velocity constraint + virtual void solveVelocityConstraint(const ConstraintSolverData& constraintSolverData); + + /// Solve the position constraint (for position error correction) + virtual void solvePositionConstraint(const ConstraintSolverData& constraintSolverData); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + HingeJoint(const HingeJointInfo& jointInfo); + + /// Destructor + virtual ~HingeJoint(); + + /// Return true if the limits or the joint are enabled + bool isLimitEnabled() const; + + /// Return true if the motor of the joint is enabled + bool isMotorEnabled() const; + + /// Enable/Disable the limits of the joint + void enableLimit(bool isLimitEnabled); + + /// Enable/Disable the motor of the joint + void enableMotor(bool isMotorEnabled); + + /// Return the minimum angle limit + decimal getMinAngleLimit() const; + + /// Set the minimum angle limit + void setMinAngleLimit(decimal lowerLimit); + + /// Return the maximum angle limit + decimal getMaxAngleLimit() const; + + /// Set the maximum angle limit + void setMaxAngleLimit(decimal upperLimit); + + /// Return the motor speed + decimal getMotorSpeed() const; + + /// Set the motor speed + void setMotorSpeed(decimal motorSpeed); + + /// Return the maximum motor torque + decimal getMaxMotorTorque() const; + + /// Set the maximum motor torque + void setMaxMotorTorque(decimal maxMotorTorque); + + /// Return the intensity of the current torque applied for the joint motor + decimal getMotorTorque(decimal timeStep) const; +}; + +// Return true if the limits or the joint are enabled +inline bool HingeJoint::isLimitEnabled() const { + return mIsLimitEnabled; +} + +// Return true if the motor of the joint is enabled +inline bool HingeJoint::isMotorEnabled() const { + return mIsMotorEnabled; +} + +// Return the minimum angle limit +inline decimal HingeJoint::getMinAngleLimit() const { + return mLowerLimit; +} + +// Return the maximum angle limit +inline decimal HingeJoint::getMaxAngleLimit() const { + return mUpperLimit; +} + +// Return the motor speed +inline decimal HingeJoint::getMotorSpeed() const { + return mMotorSpeed; +} + +// Return the maximum motor torque +inline decimal HingeJoint::getMaxMotorTorque() const { + return mMaxMotorTorque; +} + +// Return the intensity of the current torque applied for the joint motor +inline decimal HingeJoint::getMotorTorque(decimal timeStep) const { + return mImpulseMotor / timeStep; +} + +// Return the number of bytes used by the joint +inline size_t HingeJoint::getSizeInBytes() const { + return sizeof(HingeJoint); +} + +} + + +#endif diff --git a/src/constraint/Constraint.cpp b/src/constraint/Joint.cpp similarity index 81% rename from src/constraint/Constraint.cpp rename to src/constraint/Joint.cpp index 7f40b3f7..189b69d8 100644 --- a/src/constraint/Constraint.cpp +++ b/src/constraint/Joint.cpp @@ -24,23 +24,21 @@ ********************************************************************************/ // Libraries -#include "Constraint.h" +#include "Joint.h" using namespace reactphysics3d; // Constructor -Constraint::Constraint(RigidBody* const body1, RigidBody* const body2, - uint nbConstraints, bool active, ConstraintType type) - :mBody1(body1), mBody2(body2), mActive(active), - mNbConstraints(nbConstraints), mType(type) { - - // Initialize the cached lambda values - for (uint i=0; iisActive() && mBody2->isActive()); +} + +// Return the type of the joint +inline JointType Joint::getType() const { + return mType; +} + +// Return true if the collision between the two bodies of the joint is enabled +inline bool Joint::isCollisionEnabled() const { + return mIsCollisionEnabled; +} + +// Return true if the joint has already been added into an island +inline bool Joint::isAlreadyInIsland() const { + return mIsAlreadyInIsland; +} + +} + +#endif diff --git a/src/constraint/SliderJoint.cpp b/src/constraint/SliderJoint.cpp new file mode 100644 index 00000000..4a9764fc --- /dev/null +++ b/src/constraint/SliderJoint.cpp @@ -0,0 +1,870 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "SliderJoint.h" + +using namespace reactphysics3d; + +// Static variables definition +const decimal SliderJoint::BETA = decimal(0.2); + +// Constructor +SliderJoint::SliderJoint(const SliderJointInfo& jointInfo) + : Joint(jointInfo), mImpulseTranslation(0, 0), mImpulseRotation(0, 0, 0), + mImpulseLowerLimit(0), mImpulseUpperLimit(0), mImpulseMotor(0), + mIsLimitEnabled(jointInfo.isLimitEnabled), mIsMotorEnabled(jointInfo.isMotorEnabled), + mLowerLimit(jointInfo.minTranslationLimit), + mUpperLimit(jointInfo.maxTranslationLimit), mIsLowerLimitViolated(false), + mIsUpperLimitViolated(false), mMotorSpeed(jointInfo.motorSpeed), + mMaxMotorForce(jointInfo.maxMotorForce){ + + assert(mUpperLimit >= 0.0); + assert(mLowerLimit <= 0.0); + assert(mMaxMotorForce >= 0.0); + + // Compute the local-space anchor point for each body + const Transform& transform1 = mBody1->getTransform(); + const Transform& transform2 = mBody2->getTransform(); + mLocalAnchorPointBody1 = transform1.getInverse() * jointInfo.anchorPointWorldSpace; + mLocalAnchorPointBody2 = transform2.getInverse() * jointInfo.anchorPointWorldSpace; + + // Compute the inverse of the initial orientation difference between the two bodies + mInitOrientationDifferenceInv = transform2.getOrientation() * + transform1.getOrientation().getInverse(); + mInitOrientationDifferenceInv.normalize(); + mInitOrientationDifferenceInv.inverse(); + + // Compute the slider axis in local-space of body 1 + mSliderAxisBody1 = mBody1->getTransform().getOrientation().getInverse() * + jointInfo.sliderAxisWorldSpace; + mSliderAxisBody1.normalize(); +} + +// Destructor +SliderJoint::~SliderJoint() { + +} + +// Initialize before solving the constraint +void SliderJoint::initBeforeSolve(const ConstraintSolverData& constraintSolverData) { + + // Initialize the bodies index in the veloc ity array + mIndexBody1 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody1)->second; + mIndexBody2 = constraintSolverData.mapBodyToConstrainedVelocityIndex.find(mBody2)->second; + + // Get the bodies positions and orientations + const Vector3& x1 = mBody1->getTransform().getPosition(); + const Vector3& x2 = mBody2->getTransform().getPosition(); + const Quaternion& orientationBody1 = mBody1->getTransform().getOrientation(); + const Quaternion& orientationBody2 = mBody2->getTransform().getOrientation(); + + // Get the inertia tensor of bodies + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Vector from body center to the anchor point + mR1 = orientationBody1 * mLocalAnchorPointBody1; + mR2 = orientationBody2 * mLocalAnchorPointBody2; + + // Compute the vector u (difference between anchor points) + const Vector3 u = x2 + mR2 - x1 - mR1; + + // Compute the two orthogonal vectors to the slider axis in world-space + mSliderAxisWorld = orientationBody1 * mSliderAxisBody1; + mSliderAxisWorld.normalize(); + mN1 = mSliderAxisWorld.getOneUnitOrthogonalVector(); + mN2 = mSliderAxisWorld.cross(mN1); + + // Check if the limit constraints are violated or not + decimal uDotSliderAxis = u.dot(mSliderAxisWorld); + decimal lowerLimitError = uDotSliderAxis - mLowerLimit; + decimal upperLimitError = mUpperLimit - uDotSliderAxis; + bool oldIsLowerLimitViolated = mIsLowerLimitViolated; + mIsLowerLimitViolated = lowerLimitError <= 0; + if (mIsLowerLimitViolated != oldIsLowerLimitViolated) { + mImpulseLowerLimit = 0.0; + } + bool oldIsUpperLimitViolated = mIsUpperLimitViolated; + mIsUpperLimitViolated = upperLimitError <= 0; + if (mIsUpperLimitViolated != oldIsUpperLimitViolated) { + mImpulseUpperLimit = 0.0; + } + + // Compute the cross products used in the Jacobians + mR2CrossN1 = mR2.cross(mN1); + mR2CrossN2 = mR2.cross(mN2); + mR2CrossSliderAxis = mR2.cross(mSliderAxisWorld); + const Vector3 r1PlusU = mR1 + u; + mR1PlusUCrossN1 = (r1PlusU).cross(mN1); + mR1PlusUCrossN2 = (r1PlusU).cross(mN2); + mR1PlusUCrossSliderAxis = (r1PlusU).cross(mSliderAxisWorld); + + // Compute the inverse of the mass matrix K=JM^-1J^t for the 2 translation + // constraints (2x2 matrix) + decimal sumInverseMass = 0.0; + Vector3 I1R1PlusUCrossN1(0, 0, 0); + Vector3 I1R1PlusUCrossN2(0, 0, 0); + Vector3 I2R2CrossN1(0, 0, 0); + Vector3 I2R2CrossN2(0, 0, 0); + if (mBody1->isMotionEnabled()) { + sumInverseMass += mBody1->getMassInverse(); + I1R1PlusUCrossN1 = mI1 * mR1PlusUCrossN1; + I1R1PlusUCrossN2 = mI1 * mR1PlusUCrossN2; + } + if (mBody2->isMotionEnabled()) { + sumInverseMass += mBody2->getMassInverse(); + I2R2CrossN1 = mI2 * mR2CrossN1; + I2R2CrossN2 = mI2 * mR2CrossN2; + } + const decimal el11 = sumInverseMass + mR1PlusUCrossN1.dot(I1R1PlusUCrossN1) + + mR2CrossN1.dot(I2R2CrossN1); + const decimal el12 = mR1PlusUCrossN1.dot(I1R1PlusUCrossN2) + + mR2CrossN1.dot(I2R2CrossN2); + const decimal el21 = mR1PlusUCrossN2.dot(I1R1PlusUCrossN1) + + mR2CrossN2.dot(I2R2CrossN1); + const decimal el22 = sumInverseMass + mR1PlusUCrossN2.dot(I1R1PlusUCrossN2) + + mR2CrossN2.dot(I2R2CrossN2); + Matrix2x2 matrixKTranslation(el11, el12, el21, el22); + mInverseMassMatrixTranslationConstraint.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslationConstraint = matrixKTranslation.getInverse(); + } + + // Compute the bias "b" of the translation constraint + mBTranslation.setToZero(); + decimal biasFactor = (BETA / constraintSolverData.timeStep); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBTranslation.x = u.dot(mN1); + mBTranslation.y = u.dot(mN2); + mBTranslation *= biasFactor; + } + + // Compute the inverse of the mass matrix K=JM^-1J^t for the 3 rotation + // contraints (3x3 matrix) + mInverseMassMatrixRotationConstraint.setToZero(); + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint += mI1; + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint += mI2; + } + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint = mInverseMassMatrixRotationConstraint.getInverse(); + } + + // Compute the bias "b" of the rotation constraint + mBRotation.setToZero(); + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + Quaternion currentOrientationDifference = orientationBody2 * orientationBody1.getInverse(); + currentOrientationDifference.normalize(); + const Quaternion qError = currentOrientationDifference * mInitOrientationDifferenceInv; + mBRotation = biasFactor * decimal(2.0) * qError.getVectorV(); + } + + // If the limits are enabled + if (mIsLimitEnabled && (mIsLowerLimitViolated || mIsUpperLimitViolated)) { + + // Compute the inverse of the mass matrix K=JM^-1J^t for the limits (1x1 matrix) + mInverseMassMatrixLimit = 0.0; + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixLimit += mBody1->getMassInverse() + + mR1PlusUCrossSliderAxis.dot(mI1 * mR1PlusUCrossSliderAxis); + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixLimit += mBody2->getMassInverse() + + mR2CrossSliderAxis.dot(mI2 * mR2CrossSliderAxis); + } + mInverseMassMatrixLimit = (mInverseMassMatrixLimit > 0.0) ? + decimal(1.0) / mInverseMassMatrixLimit : decimal(0.0); + + // Compute the bias "b" of the lower limit constraint + mBLowerLimit = 0.0; + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBLowerLimit = biasFactor * lowerLimitError; + } + + // Compute the bias "b" of the upper limit constraint + mBUpperLimit = 0.0; + if (mPositionCorrectionTechnique == BAUMGARTE_JOINTS) { + mBUpperLimit = biasFactor * upperLimitError; + } + } + + // If the motor is enabled + if (mIsMotorEnabled) { + + // Compute the inverse of mass matrix K=JM^-1J^t for the motor (1x1 matrix) + mInverseMassMatrixMotor = 0.0; + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixMotor += mBody1->getMassInverse(); + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixMotor += mBody2->getMassInverse(); + } + mInverseMassMatrixMotor = (mInverseMassMatrixMotor > 0.0) ? + decimal(1.0) / mInverseMassMatrixMotor : decimal(0.0); + } + + // If warm-starting is not enabled + if (!constraintSolverData.isWarmStartingActive) { + + // Reset all the accumulated impulses + mImpulseTranslation.setToZero(); + mImpulseRotation.setToZero(); + mImpulseLowerLimit = 0.0; + mImpulseUpperLimit = 0.0; + mImpulseMotor = 0.0; + } +} + +// Warm start the constraint (apply the previous impulse at the beginning of the step) +void SliderJoint::warmstart(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + const decimal inverseMassBody1 = mBody1->getMassInverse(); + const decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + decimal impulseLimits = mImpulseUpperLimit - mImpulseLowerLimit; + Vector3 linearImpulseLimits = impulseLimits * mSliderAxisWorld; + + // Compute the impulse P=J^T * lambda for the motor constraint + Vector3 impulseMotor = mImpulseMotor * mSliderAxisWorld; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + Vector3 linearImpulseBody1 = -mN1 * mImpulseTranslation.x - mN2 * mImpulseTranslation.y; + Vector3 angularImpulseBody1 = -mR1PlusUCrossN1 * mImpulseTranslation.x - + mR1PlusUCrossN2 * mImpulseTranslation.y; + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + angularImpulseBody1 += -mImpulseRotation; + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + linearImpulseBody1 += linearImpulseLimits; + angularImpulseBody1 += impulseLimits * mR1PlusUCrossSliderAxis; + + // Compute the impulse P=J^T * lambda for the motor constraint + linearImpulseBody1 += impulseMotor; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + Vector3 linearImpulseBody2 = mN1 * mImpulseTranslation.x + mN2 * mImpulseTranslation.y; + Vector3 angularImpulseBody2 = mR2CrossN1 * mImpulseTranslation.x + + mR2CrossN2 * mImpulseTranslation.y; + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + angularImpulseBody2 += mImpulseRotation; + + // Compute the impulse P=J^T * lambda for the lower and upper limits constraints + linearImpulseBody2 += -linearImpulseLimits; + angularImpulseBody2 += -impulseLimits * mR2CrossSliderAxis; + + // Compute the impulse P=J^T * lambda for the motor constraint + linearImpulseBody2 += -impulseMotor; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } +} + +// Solve the velocity constraint +void SliderJoint::solveVelocityConstraint(const ConstraintSolverData& constraintSolverData) { + + // Get the velocities + Vector3& v1 = constraintSolverData.linearVelocities[mIndexBody1]; + Vector3& v2 = constraintSolverData.linearVelocities[mIndexBody2]; + Vector3& w1 = constraintSolverData.angularVelocities[mIndexBody1]; + Vector3& w2 = constraintSolverData.angularVelocities[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // --------------- Translation Constraints --------------- // + + // Compute J*v for the 2 translation constraints + const decimal el1 = -mN1.dot(v1) - w1.dot(mR1PlusUCrossN1) + + mN1.dot(v2) + w2.dot(mR2CrossN1); + const decimal el2 = -mN2.dot(v1) - w1.dot(mR1PlusUCrossN2) + + mN2.dot(v2) + w2.dot(mR2CrossN2); + const Vector2 JvTranslation(el1, el2); + + // Compute the Lagrange multiplier lambda for the 2 translation constraints + Vector2 deltaLambda = mInverseMassMatrixTranslationConstraint * (-JvTranslation -mBTranslation); + mImpulseTranslation += deltaLambda; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + const Vector3 linearImpulseBody1 = -mN1 * deltaLambda.x - mN2 * deltaLambda.y; + const Vector3 angularImpulseBody1 = -mR1PlusUCrossN1 * deltaLambda.x - + mR1PlusUCrossN2 * deltaLambda.y; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + const Vector3 linearImpulseBody2 = mN1 * deltaLambda.x + mN2 * deltaLambda.y; + const Vector3 angularImpulseBody2 = mR2CrossN1 * deltaLambda.x + mR2CrossN2 * deltaLambda.y; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } + + // --------------- Rotation Constraints --------------- // + + // Compute J*v for the 3 rotation constraints + const Vector3 JvRotation = w2 - w1; + + // Compute the Lagrange multiplier lambda for the 3 rotation constraints + Vector3 deltaLambda2 = mInverseMassMatrixRotationConstraint * (-JvRotation - mBRotation); + mImpulseRotation += deltaLambda2; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody1 = -deltaLambda2; + + // Apply the impulse to the body + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody2 = deltaLambda2; + + // Apply the impulse to the body + w2 += mI2 * angularImpulseBody2; + } + + // --------------- Limits Constraints --------------- // + + if (mIsLimitEnabled) { + + // If the lower limit is violated + if (mIsLowerLimitViolated) { + + // Compute J*v for the lower limit constraint + const decimal JvLowerLimit = mSliderAxisWorld.dot(v2) + mR2CrossSliderAxis.dot(w2) - + mSliderAxisWorld.dot(v1) - mR1PlusUCrossSliderAxis.dot(w1); + + // Compute the Lagrange multiplier lambda for the lower limit constraint + decimal deltaLambdaLower = mInverseMassMatrixLimit * (-JvLowerLimit -mBLowerLimit); + decimal lambdaTemp = mImpulseLowerLimit; + mImpulseLowerLimit = std::max(mImpulseLowerLimit + deltaLambdaLower, decimal(0.0)); + deltaLambdaLower = mImpulseLowerLimit - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 linearImpulseBody1 = -deltaLambdaLower * mSliderAxisWorld; + const Vector3 angularImpulseBody1 = -deltaLambdaLower * mR1PlusUCrossSliderAxis; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 linearImpulseBody2 = deltaLambdaLower * mSliderAxisWorld; + const Vector3 angularImpulseBody2 = deltaLambdaLower * mR2CrossSliderAxis; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } + } + + // If the upper limit is violated + if (mIsUpperLimitViolated) { + + // Compute J*v for the upper limit constraint + const decimal JvUpperLimit = mSliderAxisWorld.dot(v1) + mR1PlusUCrossSliderAxis.dot(w1) + - mSliderAxisWorld.dot(v2) - mR2CrossSliderAxis.dot(w2); + + // Compute the Lagrange multiplier lambda for the upper limit constraint + decimal deltaLambdaUpper = mInverseMassMatrixLimit * (-JvUpperLimit -mBUpperLimit); + decimal lambdaTemp = mImpulseUpperLimit; + mImpulseUpperLimit = std::max(mImpulseUpperLimit + deltaLambdaUpper, decimal(0.0)); + deltaLambdaUpper = mImpulseUpperLimit - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 linearImpulseBody1 = deltaLambdaUpper * mSliderAxisWorld; + const Vector3 angularImpulseBody1 = deltaLambdaUpper * mR1PlusUCrossSliderAxis; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + w1 += mI1 * angularImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 linearImpulseBody2 = -deltaLambdaUpper * mSliderAxisWorld; + const Vector3 angularImpulseBody2 = -deltaLambdaUpper * mR2CrossSliderAxis; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + w2 += mI2 * angularImpulseBody2; + } + } + } + + // --------------- Motor --------------- // + + if (mIsMotorEnabled) { + + // Compute J*v for the motor + const decimal JvMotor = mSliderAxisWorld.dot(v1) - mSliderAxisWorld.dot(v2); + + // Compute the Lagrange multiplier lambda for the motor + const decimal maxMotorImpulse = mMaxMotorForce * constraintSolverData.timeStep; + decimal deltaLambdaMotor = mInverseMassMatrixMotor * (-JvMotor - mMotorSpeed); + decimal lambdaTemp = mImpulseMotor; + mImpulseMotor = clamp(mImpulseMotor + deltaLambdaMotor, -maxMotorImpulse, maxMotorImpulse); + deltaLambdaMotor = mImpulseMotor - lambdaTemp; + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the motor + const Vector3 linearImpulseBody1 = deltaLambdaMotor * mSliderAxisWorld; + + // Apply the impulse to the body + v1 += inverseMassBody1 * linearImpulseBody1; + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the motor + const Vector3 linearImpulseBody2 = -deltaLambdaMotor * mSliderAxisWorld; + + // Apply the impulse to the body + v2 += inverseMassBody2 * linearImpulseBody2; + } + } +} + +// Solve the position constraint (for position error correction) +void SliderJoint::solvePositionConstraint(const ConstraintSolverData& constraintSolverData) { + + // If the error position correction technique is not the non-linear-gauss-seidel, we do + // do not execute this method + if (mPositionCorrectionTechnique != NON_LINEAR_GAUSS_SEIDEL) return; + + // Get the bodies positions and orientations + Vector3& x1 = constraintSolverData.positions[mIndexBody1]; + Vector3& x2 = constraintSolverData.positions[mIndexBody2]; + Quaternion& q1 = constraintSolverData.orientations[mIndexBody1]; + Quaternion& q2 = constraintSolverData.orientations[mIndexBody2]; + + // Get the inverse mass and inverse inertia tensors of the bodies + decimal inverseMassBody1 = mBody1->getMassInverse(); + decimal inverseMassBody2 = mBody2->getMassInverse(); + + // Recompute the inertia tensor of bodies + mI1 = mBody1->getInertiaTensorInverseWorld(); + mI2 = mBody2->getInertiaTensorInverseWorld(); + + // Vector from body center to the anchor point + mR1 = q1 * mLocalAnchorPointBody1; + mR2 = q2 * mLocalAnchorPointBody2; + + // Compute the vector u (difference between anchor points) + const Vector3 u = x2 + mR2 - x1 - mR1; + + // Compute the two orthogonal vectors to the slider axis in world-space + mSliderAxisWorld = q1 * mSliderAxisBody1; + mSliderAxisWorld.normalize(); + mN1 = mSliderAxisWorld.getOneUnitOrthogonalVector(); + mN2 = mSliderAxisWorld.cross(mN1); + + // Check if the limit constraints are violated or not + decimal uDotSliderAxis = u.dot(mSliderAxisWorld); + decimal lowerLimitError = uDotSliderAxis - mLowerLimit; + decimal upperLimitError = mUpperLimit - uDotSliderAxis; + mIsLowerLimitViolated = lowerLimitError <= 0; + mIsUpperLimitViolated = upperLimitError <= 0; + + // Compute the cross products used in the Jacobians + mR2CrossN1 = mR2.cross(mN1); + mR2CrossN2 = mR2.cross(mN2); + mR2CrossSliderAxis = mR2.cross(mSliderAxisWorld); + const Vector3 r1PlusU = mR1 + u; + mR1PlusUCrossN1 = (r1PlusU).cross(mN1); + mR1PlusUCrossN2 = (r1PlusU).cross(mN2); + mR1PlusUCrossSliderAxis = (r1PlusU).cross(mSliderAxisWorld); + + // --------------- Translation Constraints --------------- // + + // Recompute the inverse of the mass matrix K=JM^-1J^t for the 2 translation + // constraints (2x2 matrix) + decimal sumInverseMass = 0.0; + Vector3 I1R1PlusUCrossN1(0, 0, 0); + Vector3 I1R1PlusUCrossN2(0, 0, 0); + Vector3 I2R2CrossN1(0, 0, 0); + Vector3 I2R2CrossN2(0, 0, 0); + if (mBody1->isMotionEnabled()) { + sumInverseMass += mBody1->getMassInverse(); + I1R1PlusUCrossN1 = mI1 * mR1PlusUCrossN1; + I1R1PlusUCrossN2 = mI1 * mR1PlusUCrossN2; + } + if (mBody2->isMotionEnabled()) { + sumInverseMass += mBody2->getMassInverse(); + I2R2CrossN1 = mI2 * mR2CrossN1; + I2R2CrossN2 = mI2 * mR2CrossN2; + } + const decimal el11 = sumInverseMass + mR1PlusUCrossN1.dot(I1R1PlusUCrossN1) + + mR2CrossN1.dot(I2R2CrossN1); + const decimal el12 = mR1PlusUCrossN1.dot(I1R1PlusUCrossN2) + + mR2CrossN1.dot(I2R2CrossN2); + const decimal el21 = mR1PlusUCrossN2.dot(I1R1PlusUCrossN1) + + mR2CrossN2.dot(I2R2CrossN1); + const decimal el22 = sumInverseMass + mR1PlusUCrossN2.dot(I1R1PlusUCrossN2) + + mR2CrossN2.dot(I2R2CrossN2); + Matrix2x2 matrixKTranslation(el11, el12, el21, el22); + mInverseMassMatrixTranslationConstraint.setToZero(); + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixTranslationConstraint = matrixKTranslation.getInverse(); + } + + // Compute the position error for the 2 translation constraints + const Vector2 translationError(u.dot(mN1), u.dot(mN2)); + + // Compute the Lagrange multiplier lambda for the 2 translation constraints + Vector2 lambdaTranslation = mInverseMassMatrixTranslationConstraint * (-translationError); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + const Vector3 linearImpulseBody1 = -mN1 * lambdaTranslation.x - mN2 * lambdaTranslation.y; + const Vector3 angularImpulseBody1 = -mR1PlusUCrossN1 * lambdaTranslation.x - + mR1PlusUCrossN2 * lambdaTranslation.y; + + // Apply the impulse to the body + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 2 translation constraints + const Vector3 linearImpulseBody2 = mN1 * lambdaTranslation.x + mN2 * lambdaTranslation.y; + const Vector3 angularImpulseBody2 = mR2CrossN1 * lambdaTranslation.x + + mR2CrossN2 * lambdaTranslation.y; + + // Apply the impulse to the body + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + + // --------------- Rotation Constraints --------------- // + + // Compute the inverse of the mass matrix K=JM^-1J^t for the 3 rotation + // contraints (3x3 matrix) + mInverseMassMatrixRotationConstraint.setToZero(); + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint += mI1; + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint += mI2; + } + if (mBody1->isMotionEnabled() || mBody2->isMotionEnabled()) { + mInverseMassMatrixRotationConstraint = mInverseMassMatrixRotationConstraint.getInverse(); + } + + // Compute the position error for the 3 rotation constraints + Quaternion currentOrientationDifference = q2 * q1.getInverse(); + currentOrientationDifference.normalize(); + const Quaternion qError = currentOrientationDifference * mInitOrientationDifferenceInv; + const Vector3 errorRotation = decimal(2.0) * qError.getVectorV(); + + // Compute the Lagrange multiplier lambda for the 3 rotation constraints + Vector3 lambdaRotation = mInverseMassMatrixRotationConstraint * (-errorRotation); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody1 = -lambdaRotation; + + // Apply the impulse to the body + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the 3 rotation constraints + const Vector3 angularImpulseBody2 = lambdaRotation; + + // Apply the impulse to the body + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + + // --------------- Limits Constraints --------------- // + + if (mIsLimitEnabled) { + + if (mIsLowerLimitViolated || mIsUpperLimitViolated) { + + // Compute the inverse of the mass matrix K=JM^-1J^t for the limits (1x1 matrix) + mInverseMassMatrixLimit = 0.0; + if (mBody1->isMotionEnabled()) { + mInverseMassMatrixLimit += mBody1->getMassInverse() + + mR1PlusUCrossSliderAxis.dot(mI1 * mR1PlusUCrossSliderAxis); + } + if (mBody2->isMotionEnabled()) { + mInverseMassMatrixLimit += mBody2->getMassInverse() + + mR2CrossSliderAxis.dot(mI2 * mR2CrossSliderAxis); + } + mInverseMassMatrixLimit = (mInverseMassMatrixLimit > 0.0) ? + decimal(1.0) / mInverseMassMatrixLimit : decimal(0.0); + } + + // If the lower limit is violated + if (mIsLowerLimitViolated) { + + // Compute the Lagrange multiplier lambda for the lower limit constraint + decimal lambdaLowerLimit = mInverseMassMatrixLimit * (-lowerLimitError); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 linearImpulseBody1 = -lambdaLowerLimit * mSliderAxisWorld; + const Vector3 angularImpulseBody1 = -lambdaLowerLimit * mR1PlusUCrossSliderAxis; + + // Apply the impulse to the body + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the lower limit constraint + const Vector3 linearImpulseBody2 = lambdaLowerLimit * mSliderAxisWorld; + const Vector3 angularImpulseBody2 = lambdaLowerLimit * mR2CrossSliderAxis; + + // Apply the impulse to the body + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + } + + // If the upper limit is violated + if (mIsUpperLimitViolated) { + + // Compute the Lagrange multiplier lambda for the upper limit constraint + decimal lambdaUpperLimit = mInverseMassMatrixLimit * (-upperLimitError); + + if (mBody1->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 linearImpulseBody1 = lambdaUpperLimit * mSliderAxisWorld; + const Vector3 angularImpulseBody1 = lambdaUpperLimit * mR1PlusUCrossSliderAxis; + + // Apply the impulse to the body + const Vector3 v1 = inverseMassBody1 * linearImpulseBody1; + const Vector3 w1 = mI1 * angularImpulseBody1; + + // Update the body position/orientation + x1 += v1; + q1 += Quaternion(0, w1) * q1 * decimal(0.5); + q1.normalize(); + } + if (mBody2->isMotionEnabled()) { + + // Compute the impulse P=J^T * lambda for the upper limit constraint + const Vector3 linearImpulseBody2 = -lambdaUpperLimit * mSliderAxisWorld; + const Vector3 angularImpulseBody2 = -lambdaUpperLimit * mR2CrossSliderAxis; + + // Apply the impulse to the body + const Vector3 v2 = inverseMassBody2 * linearImpulseBody2; + const Vector3 w2 = mI2 * angularImpulseBody2; + + // Update the body position/orientation + x2 += v2; + q2 += Quaternion(0, w2) * q2 * decimal(0.5); + q2.normalize(); + } + } + } +} + +// Enable/Disable the limits of the joint +void SliderJoint::enableLimit(bool isLimitEnabled) { + + if (isLimitEnabled != mIsLimitEnabled) { + + mIsLimitEnabled = isLimitEnabled; + + // Reset the limits + resetLimits(); + } +} + +// Enable/Disable the motor of the joint +void SliderJoint::enableMotor(bool isMotorEnabled) { + + mIsMotorEnabled = isMotorEnabled; + mImpulseMotor = 0.0; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); +} + +// Return the current translation value of the joint +decimal SliderJoint::getTranslation() const { + + // Get the bodies positions and orientations + const Vector3& x1 = mBody1->getTransform().getPosition(); + const Vector3& x2 = mBody2->getTransform().getPosition(); + const Quaternion& q1 = mBody1->getTransform().getOrientation(); + const Quaternion& q2 = mBody2->getTransform().getOrientation(); + + // Compute the two anchor points in world-space coordinates + const Vector3 anchorBody1 = x1 + q1 * mLocalAnchorPointBody1; + const Vector3 anchorBody2 = x2 + q2 * mLocalAnchorPointBody2; + + // Compute the vector u (difference between anchor points) + const Vector3 u = anchorBody2 - anchorBody1; + + // Compute the slider axis in world-space + Vector3 sliderAxisWorld = q1 * mSliderAxisBody1; + sliderAxisWorld.normalize(); + + // Compute and return the translation value + return u.dot(sliderAxisWorld); +} + +// Set the minimum translation limit +void SliderJoint::setMinTranslationLimit(decimal lowerLimit) { + + assert(lowerLimit <= mUpperLimit); + + if (lowerLimit != mLowerLimit) { + + mLowerLimit = lowerLimit; + + // Reset the limits + resetLimits(); + } +} + +// Set the maximum translation limit +void SliderJoint::setMaxTranslationLimit(decimal upperLimit) { + + assert(mLowerLimit <= upperLimit); + + if (upperLimit != mUpperLimit) { + + mUpperLimit = upperLimit; + + // Reset the limits + resetLimits(); + } +} + +// Reset the limits +void SliderJoint::resetLimits() { + + // Reset the accumulated impulses for the limits + mImpulseLowerLimit = 0.0; + mImpulseUpperLimit = 0.0; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); +} + +// Set the motor speed +void SliderJoint::setMotorSpeed(decimal motorSpeed) { + + if (motorSpeed != mMotorSpeed) { + + mMotorSpeed = motorSpeed; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); + } +} + +// Set the maximum motor force +void SliderJoint::setMaxMotorForce(decimal maxMotorForce) { + + if (maxMotorForce != mMaxMotorForce) { + + assert(mMaxMotorForce >= 0.0); + mMaxMotorForce = maxMotorForce; + + // Wake up the two bodies of the joint + mBody1->setIsSleeping(false); + mBody2->setIsSleeping(false); + } +} diff --git a/src/constraint/SliderJoint.h b/src/constraint/SliderJoint.h new file mode 100644 index 00000000..645c2e47 --- /dev/null +++ b/src/constraint/SliderJoint.h @@ -0,0 +1,360 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_SLIDER_JOINT_H +#define REACTPHYSICS3D_SLIDER_JOINT_H + +// Libraries +#include "../mathematics/mathematics.h" +#include "../engine/ConstraintSolver.h" + +namespace reactphysics3d { + +// Structure SliderJointInfo +/** + * This structure is used to gather the information needed to create a slider + * joint. This structure will be used to create the actual slider joint. + */ +struct SliderJointInfo : public JointInfo { + + public : + + // -------------------- Attributes -------------------- // + + /// Anchor point (in world-space coordinates) + Vector3 anchorPointWorldSpace; + + /// Slider axis (in world-space coordinates) + Vector3 sliderAxisWorldSpace; + + /// True if the slider limits are enabled + bool isLimitEnabled; + + /// True if the slider motor is enabled + bool isMotorEnabled; + + /// Mininum allowed translation if limits are enabled + decimal minTranslationLimit; + + /// Maximum allowed translation if limits are enabled + decimal maxTranslationLimit; + + /// Motor speed + decimal motorSpeed; + + /// Maximum motor force (in Newtons) that can be applied to reach to desired motor speed + decimal maxMotorForce; + + /// Constructor without limits and without motor + SliderJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initSliderAxisWorldSpace) + : JointInfo(rigidBody1, rigidBody2, SLIDERJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + sliderAxisWorldSpace(initSliderAxisWorldSpace), + isLimitEnabled(false), isMotorEnabled(false), minTranslationLimit(-1.0), + maxTranslationLimit(1.0), motorSpeed(0), maxMotorForce(0) {} + + /// Constructor with limits and no motor + SliderJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initSliderAxisWorldSpace, + decimal initMinTranslationLimit, decimal initMaxTranslationLimit) + : JointInfo(rigidBody1, rigidBody2, SLIDERJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + sliderAxisWorldSpace(initSliderAxisWorldSpace), + isLimitEnabled(true), isMotorEnabled(false), + minTranslationLimit(initMinTranslationLimit), + maxTranslationLimit(initMaxTranslationLimit), motorSpeed(0), + maxMotorForce(0) {} + + /// Constructor with limits and motor + SliderJointInfo(RigidBody* rigidBody1, RigidBody* rigidBody2, + const Vector3& initAnchorPointWorldSpace, + const Vector3& initSliderAxisWorldSpace, + decimal initMinTranslationLimit, decimal initMaxTranslationLimit, + decimal initMotorSpeed, decimal initMaxMotorForce) + : JointInfo(rigidBody1, rigidBody2, SLIDERJOINT), + anchorPointWorldSpace(initAnchorPointWorldSpace), + sliderAxisWorldSpace(initSliderAxisWorldSpace), + isLimitEnabled(true), isMotorEnabled(true), + minTranslationLimit(initMinTranslationLimit), + maxTranslationLimit(initMaxTranslationLimit), motorSpeed(initMotorSpeed), + maxMotorForce(initMaxMotorForce) {} +}; + +// Class SliderJoint +/** + * This class represents a slider joint. This joint has a one degree of freedom. + * It only allows relative translation of the bodies along a single direction and no + * rotation. + */ +class SliderJoint : public Joint { + + private : + + // -------------------- Constants -------------------- // + + // Beta value for the position correction bias factor + static const decimal BETA; + + // -------------------- Attributes -------------------- // + + /// Anchor point of body 1 (in local-space coordinates of body 1) + Vector3 mLocalAnchorPointBody1; + + /// Anchor point of body 2 (in local-space coordinates of body 2) + Vector3 mLocalAnchorPointBody2; + + /// Slider axis (in local-space coordinates of body 1) + Vector3 mSliderAxisBody1; + + /// Inertia tensor of body 1 (in world-space coordinates) + Matrix3x3 mI1; + + /// Inertia tensor of body 2 (in world-space coordinates) + Matrix3x3 mI2; + + /// Inverse of the initial orientation difference between the two bodies + Quaternion mInitOrientationDifferenceInv; + + /// First vector orthogonal to the slider axis local-space of body 1 + Vector3 mN1; + + /// Second vector orthogonal to the slider axis and mN1 in local-space of body 1 + Vector3 mN2; + + /// Vector r1 in world-space coordinates + Vector3 mR1; + + /// Vector r2 in world-space coordinates + Vector3 mR2; + + /// Cross product of r2 and n1 + Vector3 mR2CrossN1; + + /// Cross product of r2 and n2 + Vector3 mR2CrossN2; + + /// Cross product of r2 and the slider axis + Vector3 mR2CrossSliderAxis; + + /// Cross product of vector (r1 + u) and n1 + Vector3 mR1PlusUCrossN1; + + /// Cross product of vector (r1 + u) and n2 + Vector3 mR1PlusUCrossN2; + + /// Cross product of vector (r1 + u) and the slider axis + Vector3 mR1PlusUCrossSliderAxis; + + /// Bias of the 2 translation constraints + Vector2 mBTranslation; + + /// Bias of the 3 rotation constraints + Vector3 mBRotation; + + /// Bias of the lower limit constraint + decimal mBLowerLimit; + + /// Bias of the upper limit constraint + decimal mBUpperLimit; + + /// Inverse of mass matrix K=JM^-1J^t for the translation constraint (2x2 matrix) + Matrix2x2 mInverseMassMatrixTranslationConstraint; + + /// Inverse of mass matrix K=JM^-1J^t for the rotation constraint (3x3 matrix) + Matrix3x3 mInverseMassMatrixRotationConstraint; + + /// Inverse of mass matrix K=JM^-1J^t for the upper and lower limit constraints (1x1 matrix) + decimal mInverseMassMatrixLimit; + + /// Inverse of mass matrix K=JM^-1J^t for the motor + decimal mInverseMassMatrixMotor; + + /// Accumulated impulse for the 2 translation constraints + Vector2 mImpulseTranslation; + + /// Accumulated impulse for the 3 rotation constraints + Vector3 mImpulseRotation; + + /// Accumulated impulse for the lower limit constraint + decimal mImpulseLowerLimit; + + /// Accumulated impulse for the upper limit constraint + decimal mImpulseUpperLimit; + + /// Accumulated impulse for the motor + decimal mImpulseMotor; + + /// True if the slider limits are enabled + bool mIsLimitEnabled; + + /// True if the motor of the joint in enabled + bool mIsMotorEnabled; + + /// Slider axis in world-space coordinates + Vector3 mSliderAxisWorld; + + /// Lower limit (minimum translation distance) + decimal mLowerLimit; + + /// Upper limit (maximum translation distance) + decimal mUpperLimit; + + /// True if the lower limit is violated + bool mIsLowerLimitViolated; + + /// True if the upper limit is violated + bool mIsUpperLimitViolated; + + /// Motor speed + decimal mMotorSpeed; + + /// Maximum motor force (in Newtons) that can be applied to reach to desired motor speed + decimal mMaxMotorForce; + + // -------------------- Methods -------------------- // + + /// Private copy-constructor + SliderJoint(const SliderJoint& constraint); + + /// Private assignment operator + SliderJoint& operator=(const SliderJoint& constraint); + + /// Reset the limits + void resetLimits(); + + /// Return the number of bytes used by the joint + virtual size_t getSizeInBytes() const; + + /// Initialize before solving the constraint + virtual void initBeforeSolve(const ConstraintSolverData& constraintSolverData); + + /// Warm start the constraint (apply the previous impulse at the beginning of the step) + virtual void warmstart(const ConstraintSolverData& constraintSolverData); + + /// Solve the velocity constraint + virtual void solveVelocityConstraint(const ConstraintSolverData& constraintSolverData); + + /// Solve the position constraint (for position error correction) + virtual void solvePositionConstraint(const ConstraintSolverData& constraintSolverData); + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + SliderJoint(const SliderJointInfo& jointInfo); + + /// Destructor + virtual ~SliderJoint(); + + /// Return true if the limits or the joint are enabled + bool isLimitEnabled() const; + + /// Return true if the motor of the joint is enabled + bool isMotorEnabled() const; + + /// Enable/Disable the limits of the joint + void enableLimit(bool isLimitEnabled); + + /// Enable/Disable the motor of the joint + void enableMotor(bool isMotorEnabled); + + /// Return the current translation value of the joint + decimal getTranslation() const; + + /// Return the minimum translation limit + decimal getMinTranslationLimit() const; + + /// Set the minimum translation limit + void setMinTranslationLimit(decimal lowerLimit); + + /// Return the maximum translation limit + decimal getMaxTranslationLimit() const; + + /// Set the maximum translation limit + void setMaxTranslationLimit(decimal upperLimit); + + /// Return the motor speed + decimal getMotorSpeed() const; + + /// Set the motor speed + void setMotorSpeed(decimal motorSpeed); + + /// Return the maximum motor force + decimal getMaxMotorForce() const; + + /// Set the maximum motor force + void setMaxMotorForce(decimal maxMotorForce); + + /// Return the intensity of the current force applied for the joint motor + decimal getMotorForce(decimal timeStep) const; +}; + +// Return true if the limits or the joint are enabled +inline bool SliderJoint::isLimitEnabled() const { + return mIsLimitEnabled; +} + +// Return true if the motor of the joint is enabled +inline bool SliderJoint::isMotorEnabled() const { + return mIsMotorEnabled; +} + +// Return the minimum translation limit +inline decimal SliderJoint::getMinTranslationLimit() const { + return mLowerLimit; +} + +// Return the maximum translation limit +inline decimal SliderJoint::getMaxTranslationLimit() const { + return mUpperLimit; +} + +// Return the motor speed +inline decimal SliderJoint::getMotorSpeed() const { + return mMotorSpeed; +} + +// Return the maximum motor force +inline decimal SliderJoint::getMaxMotorForce() const { + return mMaxMotorForce; +} + +// Return the intensity of the current force applied for the joint motor +inline decimal SliderJoint::getMotorForce(decimal timeStep) const { + return mImpulseMotor / timeStep; +} + +// Return the number of bytes used by the joint +inline size_t SliderJoint::getSizeInBytes() const { + return sizeof(SliderJoint); +} + +} + +#endif diff --git a/src/decimal.h b/src/decimal.h index 8b81eb22..52d0a0a8 100644 --- a/src/decimal.h +++ b/src/decimal.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef DECIMAL_H -#define DECIMAL_H +#ifndef REACTPHYSICS3D_DECIMAL_H +#define REACTPHYSICS3D_DECIMAL_H /// ReactPhysiscs3D namespace namespace reactphysics3d { diff --git a/src/engine/CollisionWorld.cpp b/src/engine/CollisionWorld.cpp index af7eb189..87dfa76b 100644 --- a/src/engine/CollisionWorld.cpp +++ b/src/engine/CollisionWorld.cpp @@ -32,12 +32,15 @@ using namespace reactphysics3d; using namespace std; // Constructor -CollisionWorld::CollisionWorld() : mCollisionDetection(this), mCurrentBodyID(0) { +CollisionWorld::CollisionWorld() + : mCollisionDetection(this, mMemoryAllocator), mCurrentBodyID(0) { + } // Destructor CollisionWorld::~CollisionWorld() { - + assert(mCollisionShapes.empty()); + assert(mBodies.empty()); } // Notify the world about a new broad-phase overlapping pair @@ -54,7 +57,7 @@ void CollisionWorld::notifyRemovedOverlappingPair(const BroadPhasePair* removedP // Notify the world about a new narrow-phase contact void CollisionWorld::notifyNewContact(const BroadPhasePair* broadPhasePair, - const ContactInfo* contactInfo) { + const ContactPointInfo* contactInfo) { // TODO : Implement this method } @@ -75,7 +78,7 @@ CollisionBody* CollisionWorld::createCollisionBody(const Transform& transform, assert(bodyID < std::numeric_limits::max()); // Create the collision body - CollisionBody* collisionBody = new (mMemoryPoolCollisionBodies.allocateObject()) + CollisionBody* collisionBody = new (mMemoryAllocator.allocate(sizeof(CollisionBody))) CollisionBody(transform, collisionShape, bodyID); assert(collisionBody != NULL); @@ -99,14 +102,14 @@ void CollisionWorld::destroyCollisionBody(CollisionBody* collisionBody) { // Add the body ID to the list of free IDs mFreeBodiesIDs.push_back(collisionBody->getID()); - // Call the constructor of the collision body + // Call the destructor of the collision body collisionBody->CollisionBody::~CollisionBody(); // Remove the collision body from the list of bodies - mBodies.erase(collisionBody); // TODO : Maybe use a set to make this faster + mBodies.erase(collisionBody); - // Free the object from the memory pool - mMemoryPoolCollisionBodies.freeObject(collisionBody); + // Free the object from the memory allocator + mMemoryAllocator.release(collisionBody, sizeof(CollisionBody)); } // Return the next available body ID @@ -126,4 +129,68 @@ bodyindex CollisionWorld::computeNextAvailableBodyID() { return bodyID; } +// Create a new collision shape. +/// First, this methods checks that the new collision shape does not exist yet in the +/// world. If it already exists, we do not allocate memory for a new one but instead +/// we reuse the existing one. The goal is to only allocate memory for a single +/// collision shape if this one is used for several bodies in the world. To allocate +/// memory for a new collision shape, we use the memory allocator. +CollisionShape* CollisionWorld::createCollisionShape(const CollisionShape& collisionShape) { + + // Check if there is already a similar collision shape in the world + std::list::iterator it; + for (it = mCollisionShapes.begin(); it != mCollisionShapes.end(); ++it) { + + if (collisionShape == (*(*it))) { + + // Increment the number of similar created shapes + (*it)->incrementNbSimilarCreatedShapes(); + + // A similar collision shape already exists in the world, so we do not + // create a new one but we simply return a pointer to the existing one + return (*it); + } + } + + // A similar collision shape does not already exist in the world, so we create a + // new one and add it to the world + void* allocatedMemory = mMemoryAllocator.allocate(collisionShape.getSizeInBytes()); + CollisionShape* newCollisionShape = collisionShape.clone(allocatedMemory); + mCollisionShapes.push_back(newCollisionShape); + + newCollisionShape->incrementNbSimilarCreatedShapes(); + + // Return a pointer to the new collision shape + return newCollisionShape; +} + + +// Remove a collision shape. +/// First, we check if another body is still using the same collision shape. If so, +/// we keep the allocated collision shape. If it is not the case, we can deallocate +/// the memory associated with the collision shape. +void CollisionWorld::removeCollisionShape(CollisionShape* collisionShape) { + + assert(collisionShape->getNbSimilarCreatedShapes() != 0); + + // Decrement the number of bodies using the same collision shape + collisionShape->decrementNbSimilarCreatedShapes(); + + // If no other body is using the collision shape in the world + if (collisionShape->getNbSimilarCreatedShapes() == 0) { + + // Remove the shape from the set of shapes in the world + mCollisionShapes.remove(collisionShape); + + // Compute the size (in bytes) of the collision shape + size_t nbBytesShape = collisionShape->getSizeInBytes(); + + // Call the destructor of the collision shape + collisionShape->CollisionShape::~CollisionShape(); + + // Deallocate the memory used by the collision shape + mMemoryAllocator.release(collisionShape, nbBytesShape); + } +} + diff --git a/src/engine/CollisionWorld.h b/src/engine/CollisionWorld.h index dde08972..4d297466 100644 --- a/src/engine/CollisionWorld.h +++ b/src/engine/CollisionWorld.h @@ -23,20 +23,23 @@ * * ********************************************************************************/ -#ifndef COLLISION_WORLD_H -#define COLLISION_WORLD_H +#ifndef REACTPHYSICS3D_COLLISION_WORLD_H +#define REACTPHYSICS3D_COLLISION_WORLD_H // Libraries #include #include +#include #include #include "../mathematics/mathematics.h" +#include "Profiler.h" #include "../body/CollisionBody.h" #include "OverlappingPair.h" #include "../collision/CollisionDetection.h" -#include "../constraint/Constraint.h" +#include "../constraint/Joint.h" #include "../constraint/ContactPoint.h" -#include "../memory/MemoryPool.h" +#include "../memory/MemoryAllocator.h" +#include "EventListener.h" /// Namespace reactphysics3d namespace reactphysics3d { @@ -59,18 +62,21 @@ class CollisionWorld { /// All the bodies (rigid and soft) of the world std::set mBodies; + /// All the collision shapes of the world + std::list mCollisionShapes; + /// Broad-phase overlapping pairs of bodies std::map mOverlappingPairs; /// Current body ID bodyindex mCurrentBodyID; - /// Memory pool - MemoryPool mMemoryPoolCollisionBodies; - /// List of free ID for rigid bodies std::vector mFreeBodiesIDs; + /// Memory allocator + MemoryAllocator mMemoryAllocator; + // -------------------- Methods -------------------- // /// Private copy-constructor @@ -86,7 +92,8 @@ class CollisionWorld { virtual void notifyRemovedOverlappingPair(const BroadPhasePair* removedPair); /// Notify the world about a new narrow-phase contact - virtual void notifyNewContact(const BroadPhasePair* pair, const ContactInfo* contactInfo); + virtual void notifyNewContact(const BroadPhasePair* pair, + const ContactPointInfo* contactInfo); /// Update the overlapping pair virtual void updateOverlappingPair(const BroadPhasePair* pair); @@ -94,9 +101,15 @@ class CollisionWorld { /// Return the next available body ID bodyindex computeNextAvailableBodyID(); + /// Create a new collision shape. + CollisionShape* createCollisionShape(const CollisionShape& collisionShape); + + /// Remove a collision shape. + void removeCollisionShape(CollisionShape* collisionShape); + public : - // ----- Methods ----- // + // -------------------- Methods -------------------- // /// Constructor CollisionWorld(); @@ -117,7 +130,7 @@ class CollisionWorld { /// Destroy a collision body void destroyCollisionBody(CollisionBody* collisionBody); - // ----- Friends ----- // + // -------------------- Friends -------------------- // friend class CollisionDetection; }; diff --git a/src/engine/ConstraintSolver.cpp b/src/engine/ConstraintSolver.cpp new file mode 100644 index 00000000..cdd97b41 --- /dev/null +++ b/src/engine/ConstraintSolver.cpp @@ -0,0 +1,113 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "ConstraintSolver.h" +#include "Profiler.h" + +using namespace reactphysics3d; + +// Constructor +ConstraintSolver::ConstraintSolver(std::vector& positions, + std::vector& orientations, + const std::map& mapBodyToVelocityIndex) + : mLinearVelocities(NULL), mAngularVelocities(NULL), mPositions(positions), + mOrientations(orientations), + mMapBodyToConstrainedVelocityIndex(mapBodyToVelocityIndex), + mIsWarmStartingActive(true), mConstraintSolverData(positions, orientations, + mapBodyToVelocityIndex){ + +} + +// Destructor +ConstraintSolver::~ConstraintSolver() { + +} + +// Initialize the constraint solver for a given island +void ConstraintSolver::initializeForIsland(decimal dt, Island* island) { + + PROFILE("ConstraintSolver::initializeForIsland()"); + + assert(mLinearVelocities != NULL); + assert(mAngularVelocities != NULL); + assert(island != NULL); + assert(island->getNbBodies() > 0); + assert(island->getNbJoints() > 0); + + // Set the current time step + mTimeStep = dt; + + // Initialize the constraint solver data used to initialize and solve the constraints + mConstraintSolverData.timeStep = mTimeStep; + mConstraintSolverData.isWarmStartingActive = mIsWarmStartingActive; + + // For each joint of the island + Joint** joints = island->getJoints(); + for (uint i=0; igetNbJoints(); i++) { + + // Initialize the constraint before solving it + joints[i]->initBeforeSolve(mConstraintSolverData); + + // Warm-start the constraint if warm-starting is enabled + if (mIsWarmStartingActive) { + joints[i]->warmstart(mConstraintSolverData); + } + } +} + +// Solve the velocity constraints +void ConstraintSolver::solveVelocityConstraints(Island* island) { + + PROFILE("ConstraintSolver::solveVelocityConstraints()"); + + assert(island != NULL); + assert(island->getNbJoints() > 0); + + // For each joint of the island + Joint** joints = island->getJoints(); + for (uint i=0; igetNbJoints(); i++) { + + // Solve the constraint + joints[i]->solveVelocityConstraint(mConstraintSolverData); + } +} + +// Solve the position constraints +void ConstraintSolver::solvePositionConstraints(Island* island) { + + PROFILE("ConstraintSolver::solvePositionConstraints()"); + + assert(island != NULL); + assert(island->getNbJoints() > 0); + + // For each joint of the island + Joint** joints = island->getJoints(); + for (uint i=0; i < island->getNbJoints(); i++) { + + // Solve the constraint + joints[i]->solvePositionConstraint(mConstraintSolverData); + } +} diff --git a/src/engine/ConstraintSolver.h b/src/engine/ConstraintSolver.h new file mode 100644 index 00000000..f15f72cc --- /dev/null +++ b/src/engine/ConstraintSolver.h @@ -0,0 +1,229 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_CONSTRAINT_SOLVER_H +#define REACTPHYSICS3D_CONSTRAINT_SOLVER_H + +// Libraries +#include "../configuration.h" +#include "mathematics/mathematics.h" +#include "../constraint/Joint.h" +#include "Island.h" +#include +#include + +namespace reactphysics3d { + +// Structure ConstraintSolverData +/** + * This structure contains data from the constraint solver that are used to solve + * each joint constraint. + */ +struct ConstraintSolverData { + + public : + + /// Current time step of the simulation + decimal timeStep; + + /// Array with the bodies linear velocities + Vector3* linearVelocities; + + /// Array with the bodies angular velocities + Vector3* angularVelocities; + + /// Reference to the bodies positions + std::vector& positions; + + /// Reference to the bodies orientations + std::vector& orientations; + + /// Reference to the map that associates rigid body to their index + /// in the constrained velocities array + const std::map& mapBodyToConstrainedVelocityIndex; + + /// True if warm starting of the solver is active + bool isWarmStartingActive; + + /// Constructor + ConstraintSolverData(std::vector& refPositions, + std::vector& refOrientations, + const std::map& refMapBodyToConstrainedVelocityIndex) + :linearVelocities(NULL), + angularVelocities(NULL), + positions(refPositions), orientations(refOrientations), + mapBodyToConstrainedVelocityIndex(refMapBodyToConstrainedVelocityIndex){ + + } + +}; + +// Class ConstraintSolver +/** + * This class represents the constraint solver that is used to solve constraints between + * the rigid bodies. The constraint solver is based on the "Sequential Impulse" technique + * described by Erin Catto in his GDC slides (http://code.google.com/p/box2d/downloads/list). + * + * A constraint between two bodies is represented by a function C(x) which is equal to zero + * when the constraint is satisfied. The condition C(x)=0 describes a valid position and the + * condition dC(x)/dt=0 describes a valid velocity. We have dC(x)/dt = Jv + b = 0 where J is + * the Jacobian matrix of the constraint, v is a vector that contains the velocity of both + * bodies and b is the constraint bias. We are looking for a force F_c that will act on the + * bodies to keep the constraint satisfied. Note that from the virtual work principle, we have + * F_c = J^t * lambda where J^t is the transpose of the Jacobian matrix and lambda is a + * Lagrange multiplier. Therefore, finding the force F_c is equivalent to finding the Lagrange + * multiplier lambda. + + * An impulse P = F * dt where F is a force and dt is the timestep. We can apply impulses a + * body to change its velocity. The idea of the Sequential Impulse technique is to apply + * impulses to bodies of each constraints in order to keep the constraint satisfied. + * + * --- Step 1 --- + * + * First, we integrate the applied force F_a acting of each rigid body (like gravity, ...) and + * we obtain some new velocities v2' that tends to violate the constraints. + * + * v2' = v1 + dt * M^-1 * F_a + * + * where M is a matrix that contains mass and inertia tensor information. + * + * --- Step 2 --- + * + * During the second step, we iterate over all the constraints for a certain number of + * iterations and for each constraint we compute the impulse to apply to the bodies needed + * so that the new velocity of the bodies satisfy Jv + b = 0. From the Newton law, we know that + * M * deltaV = P_c where M is the mass of the body, deltaV is the difference of velocity and + * P_c is the constraint impulse to apply to the body. Therefore, we have + * v2 = v2' + M^-1 * P_c. For each constraint, we can compute the Lagrange multiplier lambda + * using : lambda = -m_c (Jv2' + b) where m_c = 1 / (J * M^-1 * J^t). Now that we have the + * Lagrange multiplier lambda, we can compute the impulse P_c = J^t * lambda * dt to apply to + * the bodies to satisfy the constraint. + * + * --- Step 3 --- + * + * In the third step, we integrate the new position x2 of the bodies using the new velocities + * v2 computed in the second step with : x2 = x1 + dt * v2. + * + * Note that in the following code (as it is also explained in the slides from Erin Catto), + * the value lambda is not only the lagrange multiplier but is the multiplication of the + * Lagrange multiplier with the timestep dt. Therefore, in the following code, when we use + * lambda, we mean (lambda * dt). + * + * We are using the accumulated impulse technique that is also described in the slides from + * Erin Catto. + * + * We are also using warm starting. The idea is to warm start the solver at the beginning of + * each step by applying the last impulstes for the constraints that we already existing at the + * previous step. This allows the iterative solver to converge faster towards the solution. + * + * For contact constraints, we are also using split impulses so that the position correction + * that uses Baumgarte stabilization does not change the momentum of the bodies. + * + * There are two ways to apply the friction constraints. Either the friction constraints are + * applied at each contact point or they are applied only at the center of the contact manifold + * between two bodies. If we solve the friction constraints at each contact point, we need + * two constraints (two tangential friction directions) and if we solve the friction + * constraints at the center of the contact manifold, we need two constraints for tangential + * friction but also another twist friction constraint to prevent spin of the body around the + * contact manifold center. + */ +class ConstraintSolver { + + private : + + // -------------------- Attributes -------------------- // + + /// Array of constrained linear velocities (state of the linear velocities + /// after solving the constraints) + Vector3* mLinearVelocities; + + /// Array of constrained angular velocities (state of the angular velocities + /// after solving the constraints) + Vector3* mAngularVelocities; + + /// Reference to the array of bodies positions (for position error correction) + std::vector& mPositions; + + /// Reference to the array of bodies orientations (for position error correction) + std::vector& mOrientations; + + /// Reference to the map that associates rigid body to their index in + /// the constrained velocities array + const std::map& mMapBodyToConstrainedVelocityIndex; + + /// Current time step + decimal mTimeStep; + + /// True if the warm starting of the solver is active + bool mIsWarmStartingActive; + + /// Constraint solver data used to initialize and solve the constraints + ConstraintSolverData mConstraintSolverData; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + ConstraintSolver(std::vector& positions, std::vector& orientations, + const std::map& mapBodyToVelocityIndex); + + /// Destructor + ~ConstraintSolver(); + + /// Initialize the constraint solver for a given island + void initializeForIsland(decimal dt, Island* island); + + /// Solve the constraints + void solveVelocityConstraints(Island* island); + + /// Solve the position constraints + void solvePositionConstraints(Island* island); + + /// Return true if the Non-Linear-Gauss-Seidel position correction technique is active + bool getIsNonLinearGaussSeidelPositionCorrectionActive() const; + + /// Enable/Disable the Non-Linear-Gauss-Seidel position correction technique. + void setIsNonLinearGaussSeidelPositionCorrectionActive(bool isActive); + + /// Set the constrained velocities arrays + void setConstrainedVelocitiesArrays(Vector3* constrainedLinearVelocities, + Vector3* constrainedAngularVelocities); +}; + +// Set the constrained velocities arrays +inline void ConstraintSolver::setConstrainedVelocitiesArrays(Vector3* constrainedLinearVelocities, + Vector3* constrainedAngularVelocities) { + assert(constrainedLinearVelocities != NULL); + assert(constrainedAngularVelocities != NULL); + mLinearVelocities = constrainedLinearVelocities; + mAngularVelocities = constrainedAngularVelocities; + mConstraintSolverData.linearVelocities = mLinearVelocities; + mConstraintSolverData.angularVelocities = mAngularVelocities; +} + +} + +#endif diff --git a/src/engine/ContactManifold.cpp b/src/engine/ContactManifold.cpp index be08a488..b2b9987e 100644 --- a/src/engine/ContactManifold.cpp +++ b/src/engine/ContactManifold.cpp @@ -30,11 +30,11 @@ using namespace reactphysics3d; // Constructor -ContactManifold::ContactManifold(Body* const body1, Body* const body2, - MemoryPool& memoryPoolContacts) +ContactManifold::ContactManifold(CollisionBody* body1, CollisionBody* body2, + MemoryAllocator& memoryAllocator) : mBody1(body1), mBody2(body2), mNbContactPoints(0), mFrictionImpulse1(0.0), - mFrictionImpulse2(0.0), mFrictionTwistImpulse(0.0), - mMemoryPoolContacts(memoryPoolContacts) { + mFrictionImpulse2(0.0), mFrictionTwistImpulse(0.0), mIsAlreadyInIsland(false), + mMemoryAllocator(memoryAllocator) { } @@ -57,7 +57,7 @@ void ContactManifold::addContactPoint(ContactPoint* contact) { // Delete the new contact contact->ContactPoint::~ContactPoint(); - mMemoryPoolContacts.freeObject(contact); + mMemoryAllocator.release(contact, sizeof(ContactPoint)); //removeContact(i); return; @@ -82,10 +82,10 @@ void ContactManifold::removeContactPoint(uint index) { assert(index < mNbContactPoints); assert(mNbContactPoints > 0); - // Call the destructor explicitly and tell the memory pool that + // Call the destructor explicitly and tell the memory allocator that // the corresponding memory block is now free mContactPoints[index]->ContactPoint::~ContactPoint(); - mMemoryPoolContacts.freeObject(mContactPoints[index]); + mMemoryAllocator.release(mContactPoints[index], sizeof(ContactPoint)); // If we don't remove the last index if (index < mNbContactPoints - 1) { @@ -107,9 +107,12 @@ void ContactManifold::update(const Transform& transform1, const Transform& trans // Update the world coordinates and penetration depth of the contact points in the manifold for (uint i=0; isetWorldPointOnBody1(transform1 * mContactPoints[i]->getLocalPointOnBody1()); - mContactPoints[i]->setWorldPointOnBody2(transform2 * mContactPoints[i]->getLocalPointOnBody2()); - mContactPoints[i]->setPenetrationDepth((mContactPoints[i]->getWorldPointOnBody1() - mContactPoints[i]->getWorldPointOnBody2()).dot(mContactPoints[i]->getNormal())); + mContactPoints[i]->setWorldPointOnBody1(transform1 * + mContactPoints[i]->getLocalPointOnBody1()); + mContactPoints[i]->setWorldPointOnBody2(transform2 * + mContactPoints[i]->getLocalPointOnBody2()); + mContactPoints[i]->setPenetrationDepth((mContactPoints[i]->getWorldPointOnBody1() - + mContactPoints[i]->getWorldPointOnBody2()).dot(mContactPoints[i]->getNormal())); } const decimal squarePersistentContactThreshold = PERSISTENT_CONTACT_DIST_THRESHOLD * @@ -172,7 +175,8 @@ int ContactManifold::getIndexOfDeepestPenetration(ContactPoint* newContact) cons /// Area = 0.5 * | AC x BD | where AC and BD form the diagonals of the quadrilateral. Note that /// when we compute this area, we do not calculate it exactly but we /// only estimate it because we do not compute the actual diagonals of the quadrialteral. Therefore, -/// this is only a guess that is faster to compute. +/// this is only a guess that is faster to compute. This idea comes from the Bullet Physics library +/// by Erwin Coumans (http://wwww.bulletphysics.org). int ContactManifold::getIndexToRemove(int indexMaxPenetration, const Vector3& newPoint) const { assert(mNbContactPoints == MAX_CONTACT_POINTS_IN_MANIFOLD); @@ -185,28 +189,32 @@ int ContactManifold::getIndexToRemove(int indexMaxPenetration, const Vector3& ne if (indexMaxPenetration != 0) { // Compute the area Vector3 vector1 = newPoint - mContactPoints[1]->getLocalPointOnBody1(); - Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - mContactPoints[2]->getLocalPointOnBody1(); + Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - + mContactPoints[2]->getLocalPointOnBody1(); Vector3 crossProduct = vector1.cross(vector2); area0 = crossProduct.lengthSquare(); } if (indexMaxPenetration != 1) { // Compute the area Vector3 vector1 = newPoint - mContactPoints[0]->getLocalPointOnBody1(); - Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - mContactPoints[2]->getLocalPointOnBody1(); + Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - + mContactPoints[2]->getLocalPointOnBody1(); Vector3 crossProduct = vector1.cross(vector2); area1 = crossProduct.lengthSquare(); } if (indexMaxPenetration != 2) { // Compute the area Vector3 vector1 = newPoint - mContactPoints[0]->getLocalPointOnBody1(); - Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - mContactPoints[1]->getLocalPointOnBody1(); + Vector3 vector2 = mContactPoints[3]->getLocalPointOnBody1() - + mContactPoints[1]->getLocalPointOnBody1(); Vector3 crossProduct = vector1.cross(vector2); area2 = crossProduct.lengthSquare(); } if (indexMaxPenetration != 3) { // Compute the area Vector3 vector1 = newPoint - mContactPoints[0]->getLocalPointOnBody1(); - Vector3 vector2 = mContactPoints[2]->getLocalPointOnBody1() - mContactPoints[1]->getLocalPointOnBody1(); + Vector3 vector2 = mContactPoints[2]->getLocalPointOnBody1() - + mContactPoints[1]->getLocalPointOnBody1(); Vector3 crossProduct = vector1.cross(vector2); area3 = crossProduct.lengthSquare(); } @@ -243,10 +251,10 @@ int ContactManifold::getMaxArea(decimal area0, decimal area1, decimal area2, dec void ContactManifold::clear() { for (uint i=0; iContactPoint::~ContactPoint(); - mMemoryPoolContacts.freeObject(mContactPoints[i]); + mMemoryAllocator.release(mContactPoints[i], sizeof(ContactPoint)); } mNbContactPoints = 0; } diff --git a/src/engine/ContactManifold.h b/src/engine/ContactManifold.h index 02ffbf63..70ebaae9 100644 --- a/src/engine/ContactManifold.h +++ b/src/engine/ContactManifold.h @@ -23,13 +23,14 @@ * * ********************************************************************************/ -#ifndef CONTACT_MANIFOLD_H -#define CONTACT_MANIFOLD_H +#ifndef REACTPHYSICS3D_CONTACT_MANIFOLD_H +#define REACTPHYSICS3D_CONTACT_MANIFOLD_H // Libraries #include -#include "../body/Body.h" +#include "../body/CollisionBody.h" #include "../constraint/ContactPoint.h" +#include "../memory/MemoryAllocator.h" /// ReactPhysics3D namespace namespace reactphysics3d { @@ -37,6 +38,35 @@ namespace reactphysics3d { // Constants const uint MAX_CONTACT_POINTS_IN_MANIFOLD = 4; // Maximum number of contacts in the manifold +// Class declarations +class ContactManifold; + +// Structure ContactManifoldListElement +/** + * This structure represents a single element of a linked list of contact manifolds + */ +struct ContactManifoldListElement { + + public: + + // -------------------- Attributes -------------------- // + + /// Pointer to the actual contact manifold + ContactManifold* contactManifold; + + /// Next element of the list + ContactManifoldListElement* next; + + // -------------------- Methods -------------------- // + + /// Constructor + ContactManifoldListElement(ContactManifold* initContactManifold, + ContactManifoldListElement* initNext) + :contactManifold(initContactManifold), next(initNext) { + + } +}; + // Class ContactManifold /** * This class represents the set of contact points between two bodies. @@ -58,11 +88,11 @@ class ContactManifold { // -------------------- Attributes -------------------- // - /// Pointer to the first body - Body* const mBody1; + /// Pointer to the first body of the contact + CollisionBody* mBody1; - /// Pointer to the second body - Body* const mBody2; + /// Pointer to the second body of the contact + CollisionBody* mBody2; /// Contact points in the manifold ContactPoint* mContactPoints[MAX_CONTACT_POINTS_IN_MANIFOLD]; @@ -85,8 +115,11 @@ class ContactManifold { /// Twist friction constraint accumulated impulse decimal mFrictionTwistImpulse; - /// Reference to the memory pool with the contacts - MemoryPool& mMemoryPoolContacts; + /// True if the contact manifold has already been added into an island + bool mIsAlreadyInIsland; + + /// Reference to the memory allocator + MemoryAllocator& mMemoryAllocator; // -------------------- Methods -------------------- // @@ -96,6 +129,12 @@ class ContactManifold { /// Private assignment operator ContactManifold& operator=(const ContactManifold& contactManifold); + /// Return a pointer to the first body of the contact manifold + CollisionBody* getBody1() const; + + /// Return a pointer to the second body of the contact manifold + CollisionBody* getBody2() const; + /// Return the index of maximum area int getMaxArea(decimal area0, decimal area1, decimal area2, decimal area3) const; @@ -108,16 +147,16 @@ class ContactManifold { /// Remove a contact point from the manifold void removeContactPoint(uint index); - /// Return true if two vectors are approximatively equal - bool isApproxEqual(const Vector3& vector1, const Vector3& vector2) const; + /// Return true if the contact manifold has already been added into an island + bool isAlreadyInIsland() const; public: // -------------------- Methods -------------------- // /// Constructor - ContactManifold(Body* const mBody1, Body* const mBody2, - MemoryPool& mMemoryPoolContacts); + ContactManifold(CollisionBody* body1, CollisionBody* body2, + MemoryAllocator& memoryAllocator); /// Destructor ~ContactManifold(); @@ -166,8 +205,23 @@ class ContactManifold { /// Return a contact point of the manifold ContactPoint* getContactPoint(uint index) const; + + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; + friend class Island; }; +// Return a pointer to the first body of the contact manifold +inline CollisionBody* ContactManifold::getBody1() const { + return mBody1; +} + +// Return a pointer to the second body of the contact manifold +inline CollisionBody* ContactManifold::getBody2() const { + return mBody2; +} + // Return the number of contact points in the manifold inline uint ContactManifold::getNbContactPoints() const { return mNbContactPoints; @@ -229,6 +283,11 @@ inline ContactPoint* ContactManifold::getContactPoint(uint index) const { return mContactPoints[index]; } +// Return true if the contact manifold has already been added into an island +inline bool ContactManifold::isAlreadyInIsland() const { + return mIsAlreadyInIsland; +} + } #endif diff --git a/src/engine/ContactSolver.cpp b/src/engine/ContactSolver.cpp index a8004d12..3bb660b3 100644 --- a/src/engine/ContactSolver.cpp +++ b/src/engine/ContactSolver.cpp @@ -27,6 +27,7 @@ #include "ContactSolver.h" #include "DynamicsWorld.h" #include "../body/RigidBody.h" +#include "Profiler.h" #include using namespace reactphysics3d; @@ -35,17 +36,12 @@ using namespace std; // Constants initialization const decimal ContactSolver::BETA = decimal(0.2); const decimal ContactSolver::BETA_SPLIT_IMPULSE = decimal(0.2); -const decimal ContactSolver::SLOP = decimal(0.01); +const decimal ContactSolver::SLOP= decimal(0.01); // Constructor -ContactSolver::ContactSolver(DynamicsWorld& world,std::vector& constrainedLinearVelocities, - std::vector& constrainedAngularVelocities, - const std::map& mapBodyToVelocityIndex) - :mWorld(world), mNbIterations(DEFAULT_CONSTRAINTS_SOLVER_NB_ITERATIONS), - mSplitLinearVelocities(NULL), mSplitAngularVelocities(NULL), - mContactConstraints(NULL), - mConstrainedLinearVelocities(constrainedLinearVelocities), - mConstrainedAngularVelocities(constrainedAngularVelocities), +ContactSolver::ContactSolver(const std::map& mapBodyToVelocityIndex) + :mSplitLinearVelocities(NULL), mSplitAngularVelocities(NULL), + mContactConstraints(NULL), mLinearVelocities(NULL), mAngularVelocities(NULL), mMapBodyToConstrainedVelocityIndex(mapBodyToVelocityIndex), mIsWarmStartingActive(true), mIsSplitImpulseActive(true), mIsSolveFrictionAtContactManifoldCenterActive(true) { @@ -57,22 +53,32 @@ ContactSolver::~ContactSolver() { } -// Initialize the constraint solver -void ContactSolver::initialize() { +// Initialize the constraint solver for a given island +void ContactSolver::initializeForIsland(decimal dt, Island* island) { - // TODO : Use better memory allocation here - mContactConstraints = new ContactManifoldSolver[mWorld.getNbContactManifolds()]; + PROFILE("ContactSolver::initializeForIsland()"); - mNbContactManifolds = 0; + assert(island != NULL); + assert(island->getNbBodies() > 0); + assert(island->getNbContactManifolds() > 0); + assert(mSplitLinearVelocities != NULL); + assert(mSplitAngularVelocities != NULL); - // For each contact manifold of the world - vector::iterator it; - for (it = mWorld.getContactManifoldsBeginIterator(); - it != mWorld.getContactManifoldsEndIterator(); ++it) { + // Set the current time step + mTimeStep = dt; - ContactManifold* externalManifold = *it; + mNbContactManifolds = island->getNbContactManifolds(); - ContactManifoldSolver& internalManifold = mContactConstraints[mNbContactManifolds]; + mContactConstraints = new ContactManifoldSolver[mNbContactManifolds]; + assert(mContactConstraints != NULL); + + // For each contact manifold of the island + ContactManifold** contactManifolds = island->getContactManifold(); + for (uint i=0; igetNbContactPoints() > 0); @@ -80,10 +86,6 @@ void ContactSolver::initialize() { RigidBody* body1 = externalManifold->getContactPoint(0)->getBody1(); RigidBody* body2 = externalManifold->getContactPoint(0)->getBody2(); - // Add the two bodies of the constraint in the constraintBodies list - mConstraintBodies.insert(body1); - mConstraintBodies.insert(body2); - // Get the position of the two bodies Vector3 x1 = body1->getTransform().getPosition(); Vector3 x2 = body2->getTransform().getPosition(); @@ -94,8 +96,8 @@ void ContactSolver::initialize() { internalManifold.indexBody2 = mMapBodyToConstrainedVelocityIndex.find(body2)->second; internalManifold.inverseInertiaTensorBody1 = body1->getInertiaTensorInverseWorld(); internalManifold.inverseInertiaTensorBody2 = body2->getInertiaTensorInverseWorld(); - internalManifold.isBody1Moving = body1->getIsMotionEnabled(); - internalManifold.isBody2Moving = body2->getIsMotionEnabled(); + internalManifold.isBody1Moving = body1->isMotionEnabled(); + internalManifold.isBody2Moving = body2->isMotionEnabled(); internalManifold.massInverseBody1 = body1->getMassInverse(); internalManifold.massInverseBody2 = body2->getMassInverse(); internalManifold.nbContacts = externalManifold->getNbContactPoints(); @@ -167,41 +169,10 @@ void ContactSolver::initialize() { internalManifold.frictionTwistImpulse = 0.0; } } - - mNbContactManifolds++; } - // Allocated memory for split impulse velocities - // TODO : Use better memory allocation here - mSplitLinearVelocities = new Vector3[mWorld.getNbRigidBodies()]; - mSplitAngularVelocities = new Vector3[mWorld.getNbRigidBodies()]; - assert(mSplitLinearVelocities != NULL); - assert(mSplitAngularVelocities != NULL); - - assert(mConstraintBodies.size() > 0); - assert(mMapBodyToConstrainedVelocityIndex.size() >= mConstraintBodies.size()); - assert(mConstrainedLinearVelocities.size() >= mConstraintBodies.size()); - assert(mConstrainedAngularVelocities.size() >= mConstraintBodies.size()); - - // Initialize the split impulse velocities - initializeSplitImpulseVelocities(); -} - -// Initialize the split impulse velocities -void ContactSolver::initializeSplitImpulseVelocities() { - - // For each current body that is implied in some constraint - set::iterator it; - for (it = mConstraintBodies.begin(); it != mConstraintBodies.end(); ++it) { - RigidBody* rigidBody = *it; - assert(rigidBody); - - uint bodyNumber = mMapBodyToConstrainedVelocityIndex.find(rigidBody)->second; - - // Initialize the split impulse velocities to zero - mSplitLinearVelocities[bodyNumber] = Vector3(0, 0, 0); - mSplitAngularVelocities[bodyNumber] = Vector3(0, 0, 0); - } + // Fill-in all the matrices needed to solve the LCP problem + initializeContactConstraints(); } // Initialize the contact constraints before solving the system @@ -222,10 +193,10 @@ void ContactSolver::initializeContactConstraints() { } // Get the velocities of the bodies - const Vector3& v1 = mConstrainedLinearVelocities[manifold.indexBody1]; - const Vector3& w1 = mConstrainedAngularVelocities[manifold.indexBody1]; - const Vector3& v2 = mConstrainedLinearVelocities[manifold.indexBody2]; - const Vector3& w2 = mConstrainedAngularVelocities[manifold.indexBody2]; + const Vector3& v1 = mLinearVelocities[manifold.indexBody1]; + const Vector3& w1 = mAngularVelocities[manifold.indexBody1]; + const Vector3& v2 = mLinearVelocities[manifold.indexBody2]; + const Vector3& w2 = mAngularVelocities[manifold.indexBody2]; // For each contact point constraint for (uint i=0; igetCachedLambda(0); - contactPoint.friction1Impulse = externalContact->getCachedLambda(1); - contactPoint.friction2Impulse = externalContact->getCachedLambda(2); + contactPoint.penetrationImpulse = externalContact->getPenetrationImpulse(); + contactPoint.friction1Impulse = externalContact->getFrictionImpulse1(); + contactPoint.friction2Impulse = externalContact->getFrictionImpulse2(); } // Initialize the split impulses to zero @@ -378,6 +349,9 @@ void ContactSolver::initializeContactConstraints() { /// the solution of the linear system void ContactSolver::warmStart() { + // Check that warm starting is active + if (!mIsWarmStartingActive) return; + // For each constraint for (uint c=0; c SLOP) biasPenetrationDepth = -(beta/mTimeStep) * + max(0.0f, float(contactPoint.penetrationDepth - SLOP)); + decimal b = biasPenetrationDepth + contactPoint.restitutionBias; - // Compute the bias "b" of the constraint - decimal beta = mIsSplitImpulseActive ? BETA_SPLIT_IMPULSE : BETA; - decimal biasPenetrationDepth = 0.0; - if (contactPoint.penetrationDepth > SLOP) biasPenetrationDepth = -(beta/mTimeStep) * - max(0.0f, float(contactPoint.penetrationDepth - SLOP)); - decimal b = biasPenetrationDepth + contactPoint.restitutionBias; + // Compute the Lagrange multiplier lambda + if (mIsSplitImpulseActive) { + deltaLambda = - (Jv + contactPoint.restitutionBias) * + contactPoint.inversePenetrationMass; + } + else { + deltaLambda = - (Jv + b) * contactPoint.inversePenetrationMass; + } + lambdaTemp = contactPoint.penetrationImpulse; + contactPoint.penetrationImpulse = std::max(contactPoint.penetrationImpulse + + deltaLambda, decimal(0.0)); + deltaLambda = contactPoint.penetrationImpulse - lambdaTemp; - // Compute the Lagrange multiplier lambda - if (mIsSplitImpulseActive) { - deltaLambda = - (Jv + contactPoint.restitutionBias) * - contactPoint.inversePenetrationMass; - } - else { - deltaLambda = - (Jv + b) * contactPoint.inversePenetrationMass; - } - lambdaTemp = contactPoint.penetrationImpulse; - contactPoint.penetrationImpulse = std::max(contactPoint.penetrationImpulse + - deltaLambda, decimal(0.0)); - deltaLambda = contactPoint.penetrationImpulse - lambdaTemp; + // Compute the impulse P=J^T * lambda + const Impulse impulsePenetration = computePenetrationImpulse(deltaLambda, + contactPoint); + + // Apply the impulse to the bodies of the constraint + applyImpulse(impulsePenetration, contactManifold); + + sumPenetrationImpulse += contactPoint.penetrationImpulse; + + // If the split impulse position correction is active + if (mIsSplitImpulseActive) { + + // Split impulse (position correction) + const Vector3& v1Split = mSplitLinearVelocities[contactManifold.indexBody1]; + const Vector3& w1Split = mSplitAngularVelocities[contactManifold.indexBody1]; + const Vector3& v2Split = mSplitLinearVelocities[contactManifold.indexBody2]; + const Vector3& w2Split = mSplitAngularVelocities[contactManifold.indexBody2]; + Vector3 deltaVSplit = v2Split + w2Split.cross(contactPoint.r2) - + v1Split - w1Split.cross(contactPoint.r1); + decimal JvSplit = deltaVSplit.dot(contactPoint.normal); + decimal deltaLambdaSplit = - (JvSplit + biasPenetrationDepth) * + contactPoint.inversePenetrationMass; + decimal lambdaTempSplit = contactPoint.penetrationSplitImpulse; + contactPoint.penetrationSplitImpulse = std::max( + contactPoint.penetrationSplitImpulse + + deltaLambdaSplit, decimal(0.0)); + deltaLambda = contactPoint.penetrationSplitImpulse - lambdaTempSplit; // Compute the impulse P=J^T * lambda - const Impulse impulsePenetration = computePenetrationImpulse(deltaLambda, - contactPoint); + const Impulse splitImpulsePenetration = computePenetrationImpulse( + deltaLambdaSplit, contactPoint); - // Apply the impulse to the bodies of the constraint - applyImpulse(impulsePenetration, contactManifold); - - sumPenetrationImpulse += contactPoint.penetrationImpulse; - - // If the split impulse position correction is active - if (mIsSplitImpulseActive) { - - // Split impulse (position correction) - const Vector3& v1Split = mSplitLinearVelocities[contactManifold.indexBody1]; - const Vector3& w1Split = mSplitAngularVelocities[contactManifold.indexBody1]; - const Vector3& v2Split = mSplitLinearVelocities[contactManifold.indexBody2]; - const Vector3& w2Split = mSplitAngularVelocities[contactManifold.indexBody2]; - Vector3 deltaVSplit = v2Split + w2Split.cross(contactPoint.r2) - - v1Split - w1Split.cross(contactPoint.r1); - decimal JvSplit = deltaVSplit.dot(contactPoint.normal); - decimal deltaLambdaSplit = - (JvSplit + biasPenetrationDepth) * - contactPoint.inversePenetrationMass; - decimal lambdaTempSplit = contactPoint.penetrationSplitImpulse; - contactPoint.penetrationSplitImpulse = std::max( - contactPoint.penetrationSplitImpulse + - deltaLambdaSplit, decimal(0.0)); - deltaLambda = contactPoint.penetrationSplitImpulse - lambdaTempSplit; - - // Compute the impulse P=J^T * lambda - const Impulse splitImpulsePenetration = computePenetrationImpulse( - deltaLambdaSplit, contactPoint); - - applySplitImpulse(splitImpulsePenetration, contactManifold); - } - - // If we do not solve the friction constraints at the center of the contact manifold - if (!mIsSolveFrictionAtContactManifoldCenterActive) { - - // --------- Friction 1 --------- // - - // Compute J*v - deltaV = v2 + w2.cross(contactPoint.r2) - v1 - w1.cross(contactPoint.r1); - Jv = deltaV.dot(contactPoint.frictionVector1); - - // Compute the Lagrange multiplier lambda - deltaLambda = -Jv; - deltaLambda *= contactPoint.inverseFriction1Mass; - decimal frictionLimit = contactManifold.frictionCoefficient * - contactPoint.penetrationImpulse; - lambdaTemp = contactPoint.friction1Impulse; - contactPoint.friction1Impulse = std::max(-frictionLimit, - std::min(contactPoint.friction1Impulse - + deltaLambda, frictionLimit)); - deltaLambda = contactPoint.friction1Impulse - lambdaTemp; - - // Compute the impulse P=J^T * lambda - const Impulse impulseFriction1 = computeFriction1Impulse(deltaLambda, - contactPoint); - - // Apply the impulses to the bodies of the constraint - applyImpulse(impulseFriction1, contactManifold); - - // --------- Friction 2 --------- // - - // Compute J*v - deltaV = v2 + w2.cross(contactPoint.r2) - v1 - w1.cross(contactPoint.r1); - Jv = deltaV.dot(contactPoint.frictionVector2); - - // Compute the Lagrange multiplier lambda - deltaLambda = -Jv; - deltaLambda *= contactPoint.inverseFriction2Mass; - frictionLimit = contactManifold.frictionCoefficient * - contactPoint.penetrationImpulse; - lambdaTemp = contactPoint.friction2Impulse; - contactPoint.friction2Impulse = std::max(-frictionLimit, - std::min(contactPoint.friction2Impulse - + deltaLambda, frictionLimit)); - deltaLambda = contactPoint.friction2Impulse - lambdaTemp; - - // Compute the impulse P=J^T * lambda - const Impulse impulseFriction2 = computeFriction2Impulse(deltaLambda, - contactPoint); - - // Apply the impulses to the bodies of the constraint - applyImpulse(impulseFriction2, contactManifold); - } + applySplitImpulse(splitImpulsePenetration, contactManifold); } - // If we solve the friction constraints at the center of the contact manifold - if (mIsSolveFrictionAtContactManifoldCenterActive) { + // If we do not solve the friction constraints at the center of the contact manifold + if (!mIsSolveFrictionAtContactManifoldCenterActive) { - // ------ First friction constraint at the center of the contact manifol ------ // + // --------- Friction 1 --------- // // Compute J*v - Vector3 deltaV = v2 + w2.cross(contactManifold.r2Friction) - - v1 - w1.cross(contactManifold.r1Friction); - decimal Jv = deltaV.dot(contactManifold.frictionVector1); + deltaV = v2 + w2.cross(contactPoint.r2) - v1 - w1.cross(contactPoint.r1); + Jv = deltaV.dot(contactPoint.frictionVector1); // Compute the Lagrange multiplier lambda - decimal deltaLambda = -Jv * contactManifold.inverseFriction1Mass; - decimal frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; - lambdaTemp = contactManifold.friction1Impulse; - contactManifold.friction1Impulse = std::max(-frictionLimit, - std::min(contactManifold.friction1Impulse + - deltaLambda, frictionLimit)); - deltaLambda = contactManifold.friction1Impulse - lambdaTemp; + deltaLambda = -Jv; + deltaLambda *= contactPoint.inverseFriction1Mass; + decimal frictionLimit = contactManifold.frictionCoefficient * + contactPoint.penetrationImpulse; + lambdaTemp = contactPoint.friction1Impulse; + contactPoint.friction1Impulse = std::max(-frictionLimit, + std::min(contactPoint.friction1Impulse + + deltaLambda, frictionLimit)); + deltaLambda = contactPoint.friction1Impulse - lambdaTemp; // Compute the impulse P=J^T * lambda - Vector3 linearImpulseBody1 = -contactManifold.frictionVector1 * deltaLambda; - Vector3 angularImpulseBody1 = -contactManifold.r1CrossT1 * deltaLambda; - Vector3 linearImpulseBody2 = contactManifold.frictionVector1 * deltaLambda; - Vector3 angularImpulseBody2 = contactManifold.r2CrossT1 * deltaLambda; - const Impulse impulseFriction1(linearImpulseBody1, angularImpulseBody1, - linearImpulseBody2, angularImpulseBody2); + const Impulse impulseFriction1 = computeFriction1Impulse(deltaLambda, + contactPoint); // Apply the impulses to the bodies of the constraint applyImpulse(impulseFriction1, contactManifold); - // ------ Second friction constraint at the center of the contact manifol ----- // + // --------- Friction 2 --------- // // Compute J*v - deltaV = v2 + w2.cross(contactManifold.r2Friction) - - v1 - w1.cross(contactManifold.r1Friction); - Jv = deltaV.dot(contactManifold.frictionVector2); + deltaV = v2 + w2.cross(contactPoint.r2) - v1 - w1.cross(contactPoint.r1); + Jv = deltaV.dot(contactPoint.frictionVector2); // Compute the Lagrange multiplier lambda - deltaLambda = -Jv * contactManifold.inverseFriction2Mass; - frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; - lambdaTemp = contactManifold.friction2Impulse; - contactManifold.friction2Impulse = std::max(-frictionLimit, - std::min(contactManifold.friction2Impulse + - deltaLambda, frictionLimit)); - deltaLambda = contactManifold.friction2Impulse - lambdaTemp; + deltaLambda = -Jv; + deltaLambda *= contactPoint.inverseFriction2Mass; + frictionLimit = contactManifold.frictionCoefficient * + contactPoint.penetrationImpulse; + lambdaTemp = contactPoint.friction2Impulse; + contactPoint.friction2Impulse = std::max(-frictionLimit, + std::min(contactPoint.friction2Impulse + + deltaLambda, frictionLimit)); + deltaLambda = contactPoint.friction2Impulse - lambdaTemp; // Compute the impulse P=J^T * lambda - linearImpulseBody1 = -contactManifold.frictionVector2 * deltaLambda; - angularImpulseBody1 = -contactManifold.r1CrossT2 * deltaLambda; - linearImpulseBody2 = contactManifold.frictionVector2 * deltaLambda; - angularImpulseBody2 = contactManifold.r2CrossT2 * deltaLambda; - const Impulse impulseFriction2(linearImpulseBody1, angularImpulseBody1, - linearImpulseBody2, angularImpulseBody2); + const Impulse impulseFriction2 = computeFriction2Impulse(deltaLambda, + contactPoint); // Apply the impulses to the bodies of the constraint applyImpulse(impulseFriction2, contactManifold); - - // ------ Twist friction constraint at the center of the contact manifol ------ // - - // Compute J*v - deltaV = w2 - w1; - Jv = deltaV.dot(contactManifold.normal); - - deltaLambda = -Jv * (contactManifold.inverseTwistFrictionMass); - frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; - lambdaTemp = contactManifold.frictionTwistImpulse; - contactManifold.frictionTwistImpulse = std::max(-frictionLimit, - std::min(contactManifold.frictionTwistImpulse - + deltaLambda, frictionLimit)); - deltaLambda = contactManifold.frictionTwistImpulse - lambdaTemp; - - // Compute the impulse P=J^T * lambda - linearImpulseBody1 = Vector3(0.0, 0.0, 0.0); - angularImpulseBody1 = -contactManifold.normal * deltaLambda; - linearImpulseBody2 = Vector3(0.0, 0.0, 0.0);; - angularImpulseBody2 = contactManifold.normal * deltaLambda; - const Impulse impulseTwistFriction(linearImpulseBody1, angularImpulseBody1, - linearImpulseBody2, angularImpulseBody2); - - // Apply the impulses to the bodies of the constraint - applyImpulse(impulseTwistFriction, contactManifold); } } + + // If we solve the friction constraints at the center of the contact manifold + if (mIsSolveFrictionAtContactManifoldCenterActive) { + + // ------ First friction constraint at the center of the contact manifol ------ // + + // Compute J*v + Vector3 deltaV = v2 + w2.cross(contactManifold.r2Friction) + - v1 - w1.cross(contactManifold.r1Friction); + decimal Jv = deltaV.dot(contactManifold.frictionVector1); + + // Compute the Lagrange multiplier lambda + decimal deltaLambda = -Jv * contactManifold.inverseFriction1Mass; + decimal frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; + lambdaTemp = contactManifold.friction1Impulse; + contactManifold.friction1Impulse = std::max(-frictionLimit, + std::min(contactManifold.friction1Impulse + + deltaLambda, frictionLimit)); + deltaLambda = contactManifold.friction1Impulse - lambdaTemp; + + // Compute the impulse P=J^T * lambda + Vector3 linearImpulseBody1 = -contactManifold.frictionVector1 * deltaLambda; + Vector3 angularImpulseBody1 = -contactManifold.r1CrossT1 * deltaLambda; + Vector3 linearImpulseBody2 = contactManifold.frictionVector1 * deltaLambda; + Vector3 angularImpulseBody2 = contactManifold.r2CrossT1 * deltaLambda; + const Impulse impulseFriction1(linearImpulseBody1, angularImpulseBody1, + linearImpulseBody2, angularImpulseBody2); + + // Apply the impulses to the bodies of the constraint + applyImpulse(impulseFriction1, contactManifold); + + // ------ Second friction constraint at the center of the contact manifol ----- // + + // Compute J*v + deltaV = v2 + w2.cross(contactManifold.r2Friction) + - v1 - w1.cross(contactManifold.r1Friction); + Jv = deltaV.dot(contactManifold.frictionVector2); + + // Compute the Lagrange multiplier lambda + deltaLambda = -Jv * contactManifold.inverseFriction2Mass; + frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; + lambdaTemp = contactManifold.friction2Impulse; + contactManifold.friction2Impulse = std::max(-frictionLimit, + std::min(contactManifold.friction2Impulse + + deltaLambda, frictionLimit)); + deltaLambda = contactManifold.friction2Impulse - lambdaTemp; + + // Compute the impulse P=J^T * lambda + linearImpulseBody1 = -contactManifold.frictionVector2 * deltaLambda; + angularImpulseBody1 = -contactManifold.r1CrossT2 * deltaLambda; + linearImpulseBody2 = contactManifold.frictionVector2 * deltaLambda; + angularImpulseBody2 = contactManifold.r2CrossT2 * deltaLambda; + const Impulse impulseFriction2(linearImpulseBody1, angularImpulseBody1, + linearImpulseBody2, angularImpulseBody2); + + // Apply the impulses to the bodies of the constraint + applyImpulse(impulseFriction2, contactManifold); + + // ------ Twist friction constraint at the center of the contact manifol ------ // + + // Compute J*v + deltaV = w2 - w1; + Jv = deltaV.dot(contactManifold.normal); + + deltaLambda = -Jv * (contactManifold.inverseTwistFrictionMass); + frictionLimit = contactManifold.frictionCoefficient * sumPenetrationImpulse; + lambdaTemp = contactManifold.frictionTwistImpulse; + contactManifold.frictionTwistImpulse = std::max(-frictionLimit, + std::min(contactManifold.frictionTwistImpulse + + deltaLambda, frictionLimit)); + deltaLambda = contactManifold.frictionTwistImpulse - lambdaTemp; + + // Compute the impulse P=J^T * lambda + linearImpulseBody1 = Vector3(0.0, 0.0, 0.0); + angularImpulseBody1 = -contactManifold.normal * deltaLambda; + linearImpulseBody2 = Vector3(0.0, 0.0, 0.0);; + angularImpulseBody2 = contactManifold.normal * deltaLambda; + const Impulse impulseTwistFriction(linearImpulseBody1, angularImpulseBody1, + linearImpulseBody2, angularImpulseBody2); + + // Apply the impulses to the bodies of the constraint + applyImpulse(impulseTwistFriction, contactManifold); + } } } -// Solve the constraints -void ContactSolver::solve(decimal timeStep) { - - // Set the current time step - mTimeStep = timeStep; - - // Initialize the solver - initialize(); - - // Fill-in all the matrices needed to solve the LCP problem - initializeContactConstraints(); - - // Warm start the solver - if (mIsWarmStartingActive) { - warmStart(); - } - - // Solve the contact constraints - solveContactConstraints(); - - // Cache the lambda values in order to use them in the next step - storeImpulses(); -} - // Store the computed impulses to use them to // warm start the solver at the next iteration void ContactSolver::storeImpulses() { @@ -782,9 +729,9 @@ void ContactSolver::storeImpulses() { ContactPointSolver& contactPoint = manifold.contacts[i]; - contactPoint.externalContact->setCachedLambda(0, contactPoint.penetrationImpulse); - contactPoint.externalContact->setCachedLambda(1, contactPoint.friction1Impulse); - contactPoint.externalContact->setCachedLambda(2, contactPoint.friction2Impulse); + contactPoint.externalContact->setPenetrationImpulse(contactPoint.penetrationImpulse); + contactPoint.externalContact->setFrictionImpulse1(contactPoint.friction1Impulse); + contactPoint.externalContact->setFrictionImpulse2(contactPoint.friction2Impulse); contactPoint.externalContact->setFrictionVector1(contactPoint.frictionVector1); contactPoint.externalContact->setFrictionVector2(contactPoint.frictionVector2); @@ -804,15 +751,15 @@ void ContactSolver::applyImpulse(const Impulse& impulse, // Update the velocities of the bodies by applying the impulse P if (manifold.isBody1Moving) { - mConstrainedLinearVelocities[manifold.indexBody1] += manifold.massInverseBody1 * + mLinearVelocities[manifold.indexBody1] += manifold.massInverseBody1 * impulse.linearImpulseBody1; - mConstrainedAngularVelocities[manifold.indexBody1] += manifold.inverseInertiaTensorBody1 * + mAngularVelocities[manifold.indexBody1] += manifold.inverseInertiaTensorBody1 * impulse.angularImpulseBody1; } if (manifold.isBody2Moving) { - mConstrainedLinearVelocities[manifold.indexBody2] += manifold.massInverseBody2 * + mLinearVelocities[manifold.indexBody2] += manifold.massInverseBody2 * impulse.linearImpulseBody2; - mConstrainedAngularVelocities[manifold.indexBody2] += manifold.inverseInertiaTensorBody2 * + mAngularVelocities[manifold.indexBody2] += manifold.inverseInertiaTensorBody2 * impulse.angularImpulseBody2; } } @@ -899,18 +846,8 @@ void ContactSolver::computeFrictionVectors(const Vector3& deltaVelocity, // Clean up the constraint solver void ContactSolver::cleanup() { - mConstraintBodies.clear(); - if (mContactConstraints != NULL) { delete[] mContactConstraints; mContactConstraints = NULL; } - if (mSplitLinearVelocities != NULL) { - delete[] mSplitLinearVelocities; - mSplitLinearVelocities = NULL; - } - if (mSplitAngularVelocities != NULL) { - delete[] mSplitAngularVelocities; - mSplitAngularVelocities = NULL; - } } diff --git a/src/engine/ContactSolver.h b/src/engine/ContactSolver.h index f7bec64a..55b47c37 100644 --- a/src/engine/ContactSolver.h +++ b/src/engine/ContactSolver.h @@ -23,52 +23,22 @@ * * ********************************************************************************/ -#ifndef CONTACT_SOLVER_H -#define CONTACT_SOLVER_H +#ifndef REACTPHYSICS3D_CONTACT_SOLVER_H +#define REACTPHYSICS3D_CONTACT_SOLVER_H // Libraries #include "../constraint/ContactPoint.h" #include "../configuration.h" -#include "../constraint/Constraint.h" +#include "../constraint/Joint.h" #include "ContactManifold.h" +#include "Island.h" +#include "Impulse.h" #include #include /// ReactPhysics3D namespace namespace reactphysics3d { -// Declarations -class DynamicsWorld; - -// Structure Impulse -/** - * Represents an impulse that we can apply to bodies in the contact or constraint solver. - */ -struct Impulse { - - public: - - /// Linear impulse applied to the first body - const Vector3 linearImpulseBody1; - - /// Linear impulse applied to the second body - const Vector3 linearImpulseBody2; - - /// Angular impulse applied to the first body - const Vector3 angularImpulseBody1; - - /// Angular impulse applied to the second body - const Vector3 angularImpulseBody2; - - /// Constructor - Impulse(const Vector3& linearImpulseBody1, const Vector3& angularImpulseBody1, - const Vector3& linearImpulseBody2, const Vector3& angularImpulseBody2) - : linearImpulseBody1(linearImpulseBody1), angularImpulseBody1(angularImpulseBody1), - linearImpulseBody2(linearImpulseBody2), angularImpulseBody2(angularImpulseBody2) { - - } -}; - // Class Contact Solver /** @@ -85,7 +55,7 @@ struct Impulse { * F_c = J^t * lambda where J^t is the transpose of the Jacobian matrix and lambda is a * Lagrange multiplier. Therefore, finding the force F_c is equivalent to finding the Lagrange * multiplier lambda. - + * * An impulse P = F * dt where F is a force and dt is the timestep. We can apply impulses a * body to change its velocity. The idea of the Sequential Impulse technique is to apply * impulses to bodies of each constraints in order to keep the constraint satisfied. @@ -342,12 +312,6 @@ class ContactSolver { // -------------------- Attributes -------------------- // - /// Reference to the world - DynamicsWorld& mWorld; - - /// Number of iterations of the constraints solver - uint mNbIterations; - /// Split linear velocities for the position contact solver (split impulse) Vector3* mSplitLinearVelocities; @@ -363,16 +327,11 @@ class ContactSolver { /// Number of contact constraints uint mNbContactManifolds; - /// Constrained bodies - std::set mConstraintBodies; + /// Array of linear velocities + Vector3* mLinearVelocities; - /// Pointer to the array of constrained linear velocities (state of the linear velocities - /// after solving the constraints) - std::vector& mConstrainedLinearVelocities; - - /// Pointer to the array of constrained angular velocities (state of the angular velocities - /// after solving the constraints) - std::vector& mConstrainedAngularVelocities; + /// Array of angular velocities + Vector3* mAngularVelocities; /// Reference to the map of rigid body to their index in the constrained velocities array const std::map& mMapBodyToConstrainedVelocityIndex; @@ -389,25 +348,9 @@ class ContactSolver { // -------------------- Methods -------------------- // - /// Initialize the constraint solver - void initialize(); - - /// Initialize the split impulse velocities - void initializeSplitImpulseVelocities(); - /// Initialize the contact constraints before solving the system void initializeContactConstraints(); - /// Store the computed impulses to use them to - /// warm start the solver at the next iteration - void storeImpulses(); - - /// Warm start the solver. - void warmStart(); - - /// Solve the contact constraints by applying sequential impulses - void solveContactConstraints(); - /// Apply an impulse to the two bodies of a constraint void applyImpulse(const Impulse& impulse, const ContactManifoldSolver& manifold); @@ -416,12 +359,12 @@ class ContactSolver { const ContactManifoldSolver& manifold); /// Compute the collision restitution factor from the restitution factor of each body - decimal computeMixedRestitutionFactor(const RigidBody* body1, - const RigidBody* body2) const; + decimal computeMixedRestitutionFactor(RigidBody *body1, + RigidBody *body2) const; /// Compute the mixed friction coefficient from the friction coefficient of each body - decimal computeMixedFrictionCoefficient(const RigidBody* body1, - const RigidBody* body2)const; + decimal computeMixedFrictionCoefficient(RigidBody* body1, + RigidBody* body2) const; /// Compute the two unit orthogonal vectors "t1" and "t2" that span the tangential friction /// plane for a contact point. The two vectors have to be @@ -452,36 +395,34 @@ class ContactSolver { // -------------------- Methods -------------------- // /// Constructor - ContactSolver(DynamicsWorld& mWorld, std::vector& constrainedLinearVelocities, - std::vector& constrainedAngularVelocities, - const std::map& mapBodyToVelocityIndex); + ContactSolver(const std::map& mapBodyToVelocityIndex); /// Destructor virtual ~ContactSolver(); - /// Solve the constraints - void solve(decimal timeStep); + /// Initialize the constraint solver for a given island + void initializeForIsland(decimal dt, Island* island); - /// Return true if the body is in at least one constraint - bool isConstrainedBody(RigidBody* body) const; + /// Set the split velocities arrays + void setSplitVelocitiesArrays(Vector3* splitLinearVelocities, + Vector3* splitAngularVelocities); - /// Return the constrained linear velocity of a body after solving the constraints - Vector3 getConstrainedLinearVelocityOfBody(RigidBody *body); + /// Set the constrained velocities arrays + void setConstrainedVelocitiesArrays(Vector3* constrainedLinearVelocities, + Vector3* constrainedAngularVelocities); - /// Return the split linear velocity - Vector3 getSplitLinearVelocityOfBody(RigidBody* body); + /// Warm start the solver. + void warmStart(); - /// Return the constrained angular velocity of a body after solving the constraints - Vector3 getConstrainedAngularVelocityOfBody(RigidBody* body); + /// Store the computed impulses to use them to + /// warm start the solver at the next iteration + void storeImpulses(); - /// Return the split angular velocity - Vector3 getSplitAngularVelocityOfBody(RigidBody* body); + /// Solve the contacts + void solve(); - /// Clean up the constraint solver - void cleanup(); - - /// Set the number of iterations of the constraint solver - void setNbIterationsSolver(uint nbIterations); + /// Return true if the split impulses position correction technique is used for contacts + bool isSplitImpulseActive() const; /// Activate or Deactivate the split impulses for contacts void setIsSplitImpulseActive(bool isActive); @@ -489,30 +430,32 @@ class ContactSolver { /// Activate or deactivate the solving of friction constraints at the center of /// the contact manifold instead of solving them at each contact point void setIsSolveFrictionAtContactManifoldCenterActive(bool isActive); + + /// Clean up the constraint solver + void cleanup(); }; -// Return true if the body is in at least one constraint -inline bool ContactSolver::isConstrainedBody(RigidBody* body) const { - return mConstraintBodies.count(body) == 1; +// Set the split velocities arrays +inline void ContactSolver::setSplitVelocitiesArrays(Vector3* splitLinearVelocities, + Vector3* splitAngularVelocities) { + assert(splitLinearVelocities != NULL); + assert(splitAngularVelocities != NULL); + mSplitLinearVelocities = splitLinearVelocities; + mSplitAngularVelocities = splitAngularVelocities; } -// Return the split linear velocity -inline Vector3 ContactSolver::getSplitLinearVelocityOfBody(RigidBody* body) { - assert(isConstrainedBody(body)); - const uint indexBody = mMapBodyToConstrainedVelocityIndex.find(body)->second; - return mSplitLinearVelocities[indexBody]; +// Set the constrained velocities arrays +inline void ContactSolver::setConstrainedVelocitiesArrays(Vector3* constrainedLinearVelocities, + Vector3* constrainedAngularVelocities) { + assert(constrainedLinearVelocities != NULL); + assert(constrainedAngularVelocities != NULL); + mLinearVelocities = constrainedLinearVelocities; + mAngularVelocities = constrainedAngularVelocities; } -// Return the split angular velocity -inline Vector3 ContactSolver::getSplitAngularVelocityOfBody(RigidBody* body) { - assert(isConstrainedBody(body)); - const uint indexBody = mMapBodyToConstrainedVelocityIndex.find(body)->second; - return mSplitAngularVelocities[indexBody]; -} - -// Set the number of iterations of the constraint solver -inline void ContactSolver::setNbIterationsSolver(uint nbIterations) { - mNbIterations = nbIterations; +// Return true if the split impulses position correction technique is used for contacts +inline bool ContactSolver::isSplitImpulseActive() const { + return mIsSplitImpulseActive; } // Activate or Deactivate the split impulses for contacts @@ -527,20 +470,21 @@ inline void ContactSolver::setIsSolveFrictionAtContactManifoldCenterActive(bool } // Compute the collision restitution factor from the restitution factor of each body -inline decimal ContactSolver::computeMixedRestitutionFactor(const RigidBody* body1, - const RigidBody* body2) const { - decimal restitution1 = body1->getRestitution(); - decimal restitution2 = body2->getRestitution(); +inline decimal ContactSolver::computeMixedRestitutionFactor(RigidBody* body1, + RigidBody* body2) const { + decimal restitution1 = body1->getMaterial().getBounciness(); + decimal restitution2 = body2->getMaterial().getBounciness(); // Return the largest restitution factor return (restitution1 > restitution2) ? restitution1 : restitution2; } // Compute the mixed friction coefficient from the friction coefficient of each body -inline decimal ContactSolver::computeMixedFrictionCoefficient(const RigidBody* body1, - const RigidBody* body2) const { +inline decimal ContactSolver::computeMixedFrictionCoefficient(RigidBody *body1, + RigidBody *body2) const { // Use the geometric mean to compute the mixed friction coefficient - return sqrt(body1->getFrictionCoefficient() * body2->getFrictionCoefficient()); + return sqrt(body1->getMaterial().getFrictionCoefficient() * + body2->getMaterial().getFrictionCoefficient()); } // Compute a penetration constraint impulse diff --git a/src/engine/DynamicsWorld.cpp b/src/engine/DynamicsWorld.cpp index 884ac74c..7688c5ee 100644 --- a/src/engine/DynamicsWorld.cpp +++ b/src/engine/DynamicsWorld.cpp @@ -25,6 +25,10 @@ // Libraries #include "DynamicsWorld.h" +#include "constraint/BallAndSocketJoint.h" +#include "constraint/SliderJoint.h" +#include "constraint/HingeJoint.h" +#include "constraint/FixedJoint.h" // Namespaces using namespace reactphysics3d; @@ -32,10 +36,19 @@ using namespace std; // Constructor DynamicsWorld::DynamicsWorld(const Vector3 &gravity, decimal timeStep = DEFAULT_TIMESTEP) - : CollisionWorld(), mTimer(timeStep), mGravity(gravity), mIsGravityOn(true), - mContactSolver(*this, mConstrainedLinearVelocities, mConstrainedAngularVelocities, - mMapBodyToConstrainedVelocityIndex), - mIsDeactivationActive(DEACTIVATION_ENABLED) { + : CollisionWorld(), mTimer(timeStep), mGravity(gravity), mIsGravityEnabled(true), + mConstrainedLinearVelocities(NULL), mConstrainedAngularVelocities(NULL), + mContactSolver(mMapBodyToConstrainedVelocityIndex), + mConstraintSolver(mConstrainedPositions, mConstrainedOrientations, + mMapBodyToConstrainedVelocityIndex), + mNbVelocitySolverIterations(DEFAULT_VELOCITY_SOLVER_NB_ITERATIONS), + mNbPositionSolverIterations(DEFAULT_POSITION_SOLVER_NB_ITERATIONS), + mIsSleepingEnabled(SPLEEPING_ENABLED), mSplitLinearVelocities(NULL), + mSplitAngularVelocities(NULL), mNbIslands(0), mNbIslandsCapacity(0), + mIslands(NULL), mNbBodiesCapacity(0), + mSleepLinearVelocity(DEFAULT_SLEEP_LINEAR_VELOCITY), + mSleepAngularVelocity(DEFAULT_SLEEP_ANGULAR_VELOCITY), + mTimeBeforeSleep(DEFAULT_TIME_BEFORE_SLEEP), mEventListener(NULL) { } @@ -47,118 +60,178 @@ DynamicsWorld::~DynamicsWorld() { for (it = mOverlappingPairs.begin(); it != mOverlappingPairs.end(); it++) { // Delete the overlapping pair (*it).second->OverlappingPair::~OverlappingPair(); - mMemoryPoolOverlappingPairs.freeObject((*it).second); + mMemoryAllocator.release((*it).second, sizeof(OverlappingPair)); } - // Free the allocated memory for the constrained velocities - cleanupConstrainedVelocitiesArray(); + // Release the memory allocated for the islands + for (uint i=0; iIsland::~Island(); + + // Release the allocated memory for the island + mMemoryAllocator.release(mIslands[i], sizeof(Island)); + } + if (mNbIslandsCapacity > 0) { + mMemoryAllocator.release(mIslands, sizeof(Island*) * mNbIslandsCapacity); + } + + // Release the memory allocated for the bodies velocity arrays + if (mNbBodiesCapacity > 0) { + delete[] mSplitLinearVelocities; + delete[] mSplitAngularVelocities; + delete[] mConstrainedLinearVelocities; + delete[] mConstrainedAngularVelocities; + } + +#ifdef IS_PROFILING_ACTIVE + + // Print the profiling report + Profiler::printReport(std::cout); + + // Destroy the profiler (release the allocated memory) + Profiler::destroy(); +#endif + } // Update the physics simulation void DynamicsWorld::update() { +#ifdef IS_PROFILING_ACTIVE + // Increment the frame counter of the profiler + Profiler::incrementFrameCounter(); +#endif + + PROFILE("DynamicsWorld::update()"); + assert(mTimer.getIsRunning()); // Compute the time since the last update() call and update the timer mTimer.update(); - // Apply the gravity force to all bodies - applyGravity(); - // While the time accumulator is not empty while(mTimer.isPossibleToTakeStep()) { // Remove all contact manifolds mContactManifolds.clear(); + + // Reset all the contact manifolds lists of each body + resetContactManifoldListsOfBodies(); // Compute the collision detection mCollisionDetection.computeCollisionDetection(); - // Initialize the constrained velocities - initConstrainedVelocitiesArray(); + // Compute the islands (separate groups of bodies with constraints between each others) + computeIslands(); - // If there are contacts - if (!mContactManifolds.empty()) { - - // Solve the contacts - mContactSolver.solve(static_cast(mTimer.getTimeStep())); - } - - // Update the timer - mTimer.nextStep(); + // Integrate the velocities + integrateRigidBodiesVelocities(); // Reset the movement boolean variable of each body to false resetBodiesMovementVariable(); - // Update the position and orientation of each body - updateRigidBodiesPositionAndOrientation(); + // Update the timer + mTimer.nextStep(); - // Cleanup of the contact solver - mContactSolver.cleanup(); + // Solve the contacts and constraints + solveContactsAndConstraints(); - // Cleanup the constrained velocities - cleanupConstrainedVelocitiesArray(); + // Integrate the position and orientation of each body + integrateRigidBodiesPositions(); + + // Solve the position correction for constraints + solvePositionCorrection(); + + if (mIsSleepingEnabled) updateSleepingBodies(); + + // Update the AABBs of the bodies + updateRigidBodiesAABB(); } + // Reset the external force and torque applied to the bodies + resetBodiesForceAndTorque(); + // Compute and set the interpolation factor to all the bodies setInterpolationFactorToAllBodies(); } -// Update the position and orientation of the rigid bodies -void DynamicsWorld::updateRigidBodiesPositionAndOrientation() { +// Integrate position and orientation of the rigid bodies. +/// The positions and orientations of the bodies are integrated using +/// the sympletic Euler time stepping scheme. +void DynamicsWorld::integrateRigidBodiesPositions() { + + PROFILE("DynamicsWorld::integrateRigidBodiesPositions()"); + decimal dt = static_cast(mTimer.getTimeStep()); + // For each island of the world + for (uint i=0; i < mNbIslands; i++) { + + RigidBody** bodies = mIslands[i]->getBodies(); + + // For each body of the island + for (uint b=0; b < mIslands[i]->getNbBodies(); b++) { + + // If the body is allowed to move + if (bodies[b]->isMotionEnabled()) { + + // Get the constrained velocity + uint indexArray = mMapBodyToConstrainedVelocityIndex.find(bodies[b])->second; + Vector3 newLinVelocity = mConstrainedLinearVelocities[indexArray]; + Vector3 newAngVelocity = mConstrainedAngularVelocities[indexArray]; + + // Update the linear and angular velocity of the body + bodies[b]->setLinearVelocity(newLinVelocity); + bodies[b]->setAngularVelocity(newAngVelocity); + + // Add the split impulse velocity from Contact Solver (only used + // to update the position) + if (mContactSolver.isSplitImpulseActive()) { + + newLinVelocity += mSplitLinearVelocities[indexArray]; + newAngVelocity += mSplitAngularVelocities[indexArray]; + } + + // Get current position and orientation of the body + const Vector3& currentPosition = bodies[b]->getTransform().getPosition(); + const Quaternion& currentOrientation = bodies[b]->getTransform().getOrientation(); + + // Compute the new position of the body + Vector3 newPosition = currentPosition + newLinVelocity * dt; + Quaternion newOrientation = currentOrientation + Quaternion(0, newAngVelocity) * + currentOrientation * decimal(0.5) * dt; + + // Update the Transform of the body + Transform newTransform(newPosition, newOrientation.getUnit()); + bodies[b]->setTransform(newTransform); + } + } + } +} + +// Update the AABBs of the bodies +void DynamicsWorld::updateRigidBodiesAABB() { + + PROFILE("DynamicsWorld::updateRigidBodiesAABB()"); + // For each rigid body of the world set::iterator it; - for (it = getRigidBodiesBeginIterator(); it != getRigidBodiesEndIterator(); ++it) { + for (it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { - RigidBody* rigidBody = *it; - assert(rigidBody != NULL); - - // If the body is allowed to move - if (rigidBody->getIsMotionEnabled()) { - - // Update the old Transform of the body - rigidBody->updateOldTransform(); - - // Get the constrained velocity - uint indexArray = mMapBodyToConstrainedVelocityIndex.find(rigidBody)->second; - Vector3 newLinVelocity = mConstrainedLinearVelocities[indexArray]; - Vector3 newAngVelocity = mConstrainedAngularVelocities[indexArray]; - - // Update the linear and angular velocity of the body - rigidBody->setLinearVelocity(newLinVelocity); - rigidBody->setAngularVelocity(newAngVelocity); - - // Add the split impulse velocity from Contact Solver (only used to update the position) - if (mContactSolver.isConstrainedBody(rigidBody)) { - newLinVelocity += mContactSolver.getSplitLinearVelocityOfBody(rigidBody); - newAngVelocity += mContactSolver.getSplitAngularVelocityOfBody(rigidBody); - } - - // Get current position and orientation of the body - const Vector3& currentPosition = rigidBody->getTransform().getPosition(); - const Quaternion& currentOrientation = rigidBody->getTransform().getOrientation(); - - // Compute the new position of the body - Vector3 newPosition = currentPosition + newLinVelocity * dt; - Quaternion newOrientation = currentOrientation + Quaternion(newAngVelocity.x, - newAngVelocity.y, - newAngVelocity.z, 0) * - currentOrientation * 0.5 * dt; - - // Update the Transform of the body - Transform newTransform(newPosition, newOrientation.getUnit()); - rigidBody->setTransform(newTransform); + // If the body has moved + if ((*it)->mHasMoved) { // Update the AABB of the rigid body - rigidBody->updateAABB(); + (*it)->updateAABB(); } } } // Compute and set the interpolation factor to all bodies void DynamicsWorld::setInterpolationFactorToAllBodies() { + + PROFILE("DynamicsWorld::setInterpolationFactorToAllBodies()"); // Compute the interpolation factor decimal factor = mTimer.computeInterpolationFactor(); @@ -166,67 +239,245 @@ void DynamicsWorld::setInterpolationFactorToAllBodies() { // Set the factor to all bodies set::iterator it; - for (it = getRigidBodiesBeginIterator(); it != getRigidBodiesEndIterator(); ++it) { + for (it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { - RigidBody* rigidBody = dynamic_cast(*it); - assert(rigidBody); - - rigidBody->setInterpolationFactor(factor); + (*it)->setInterpolationFactor(factor); } } -// Initialize the constrained velocities array at each step -void DynamicsWorld::initConstrainedVelocitiesArray() { +// Initialize the bodies velocities arrays for the next simulation step. +void DynamicsWorld::initVelocityArrays() { + + // Allocate memory for the bodies velocity arrays + uint nbBodies = mRigidBodies.size(); + if (mNbBodiesCapacity != nbBodies && nbBodies > 0) { + if (mNbBodiesCapacity > 0) { + delete[] mSplitLinearVelocities; + delete[] mSplitAngularVelocities; + } + mNbBodiesCapacity = nbBodies; + mSplitLinearVelocities = new Vector3[mNbBodiesCapacity]; + mSplitAngularVelocities = new Vector3[mNbBodiesCapacity]; + mConstrainedLinearVelocities = new Vector3[mNbBodiesCapacity]; + mConstrainedAngularVelocities = new Vector3[mNbBodiesCapacity]; + assert(mSplitLinearVelocities != NULL); + assert(mSplitAngularVelocities != NULL); + assert(mConstrainedLinearVelocities != NULL); + assert(mConstrainedAngularVelocities != NULL); + } + + // Reset the velocities arrays + for (uint i=0; i::const_iterator it; + uint indexBody = 0; + for (it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + + // Add the body into the map + mMapBodyToConstrainedVelocityIndex.insert(std::make_pair(*it, indexBody)); + indexBody++; + } +} + +// Integrate the velocities of rigid bodies. +/// This method only set the temporary velocities but does not update +/// the actual velocitiy of the bodies. The velocities updated in this method +/// might violate the constraints and will be corrected in the constraint and +/// contact solver. +void DynamicsWorld::integrateRigidBodiesVelocities() { + + PROFILE("DynamicsWorld::integrateRigidBodiesVelocities()"); + + // Initialize the bodies velocity arrays + initVelocityArrays(); + + decimal dt = static_cast(mTimer.getTimeStep()); + + // For each island of the world + for (uint i=0; i < mNbIslands; i++) { + + RigidBody** bodies = mIslands[i]->getBodies(); + + // For each body of the island + for (uint b=0; b < mIslands[i]->getNbBodies(); b++) { + + // Insert the body into the map of constrained velocities + uint indexBody = mMapBodyToConstrainedVelocityIndex.find(bodies[b])->second; + + assert(mSplitLinearVelocities[indexBody] == Vector3(0, 0, 0)); + assert(mSplitAngularVelocities[indexBody] == Vector3(0, 0, 0)); + + // If the body is allowed to move + if (bodies[b]->isMotionEnabled()) { + + // Integrate the external force to get the new velocity of the body + mConstrainedLinearVelocities[indexBody] = bodies[b]->getLinearVelocity() + + dt * bodies[b]->getMassInverse() * bodies[b]->mExternalForce; + mConstrainedAngularVelocities[indexBody] = bodies[b]->getAngularVelocity() + + dt * bodies[b]->getInertiaTensorInverseWorld() * + bodies[b]->mExternalTorque; + + // If the gravity has to be applied to this rigid body + if (bodies[b]->isGravityEnabled() && mIsGravityEnabled) { + + // Integrate the gravity force + mConstrainedLinearVelocities[indexBody] += dt * bodies[b]->getMassInverse() * + bodies[b]->getMass() * mGravity; + } + + // Apply the velocity damping + // Damping force : F_c = -c' * v (c=damping factor) + // Equation : m * dv/dt = -c' * v + // => dv/dt = -c * v (with c=c'/m) + // => dv/dt + c * v = 0 + // Solution : v(t) = v0 * e^(-c * t) + // => v(t + dt) = v0 * e^(-c(t + dt)) + // = v0 * e^(-ct) * e^(-c * dt) + // = v(t) * e^(-c * dt) + // => v2 = v1 * e^(-c * dt) + // Using Taylor Serie for e^(-x) : e^x ~ 1 + x + x^2/2! + ... + // => e^(-x) ~ 1 - x + // => v2 = v1 * (1 - c * dt) + decimal linDampingFactor = bodies[b]->getLinearDamping(); + decimal angDampingFactor = bodies[b]->getAngularDamping(); + decimal linearDamping = clamp(decimal(1.0) - dt * linDampingFactor, + decimal(0.0), decimal(1.0)); + decimal angularDamping = clamp(decimal(1.0) - dt * angDampingFactor, + decimal(0.0), decimal(1.0)); + mConstrainedLinearVelocities[indexBody] *= clamp(linearDamping, decimal(0.0), + decimal(1.0)); + mConstrainedAngularVelocities[indexBody] *= clamp(angularDamping, decimal(0.0), + decimal(1.0)); + + // Update the old Transform of the body + bodies[b]->updateOldTransform(); + } + + indexBody++; + } + } +} + +// Solve the contacts and constraints +void DynamicsWorld::solveContactsAndConstraints() { + + PROFILE("DynamicsWorld::solveContactsAndConstraints()"); + + // Get the current time step + decimal dt = static_cast(mTimer.getTimeStep()); + + // Set the velocities arrays + mContactSolver.setSplitVelocitiesArrays(mSplitLinearVelocities, mSplitAngularVelocities); + mContactSolver.setConstrainedVelocitiesArrays(mConstrainedLinearVelocities, + mConstrainedAngularVelocities); + mConstraintSolver.setConstrainedVelocitiesArrays(mConstrainedLinearVelocities, + mConstrainedAngularVelocities); + + // ---------- Solve velocity constraints for joints and contacts ---------- // + + // For each island of the world + for (uint islandIndex = 0; islandIndex < mNbIslands; islandIndex++) { + + // Check if there are contacts and constraints to solve + bool isConstraintsToSolve = mIslands[islandIndex]->getNbJoints() > 0; + bool isContactsToSolve = mIslands[islandIndex]->getNbContactManifolds() > 0; + if (!isConstraintsToSolve && !isContactsToSolve) continue; + + // If there are contacts in the current island + if (isContactsToSolve) { + + // Initialize the solver + mContactSolver.initializeForIsland(dt, mIslands[islandIndex]); + + // Warm start the contact solver + mContactSolver.warmStart(); + } + + // If there are constraints + if (isConstraintsToSolve) { + + // Initialize the constraint solver + mConstraintSolver.initializeForIsland(dt, mIslands[islandIndex]); + } + + // For each iteration of the velocity solver + for (uint i=0; i(mRigidBodies.size(), Vector3(0, 0, 0)); - mConstrainedAngularVelocities = std::vector(mRigidBodies.size(), Vector3(0, 0, 0)); + mConstrainedPositions = std::vector(mRigidBodies.size()); + mConstrainedOrientations = std::vector(mRigidBodies.size()); - double dt = mTimer.getTimeStep(); + // For each island of the world + for (uint islandIndex = 0; islandIndex < mNbIslands; islandIndex++) { - // Fill in the mapping of rigid body to their index in the constrained - // velocities arrays - uint i = 0; - for (std::set::iterator it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { - RigidBody* rigidBody = *it; - mMapBodyToConstrainedVelocityIndex.insert(std::make_pair(rigidBody, i)); + // For each body of the island + RigidBody** bodies = mIslands[islandIndex]->getBodies(); + for (uint b=0; b < mIslands[islandIndex]->getNbBodies(); b++) { - // Integrate the external force to get the new velocity of the body - mConstrainedLinearVelocities[i] = rigidBody->getLinearVelocity() + - dt * rigidBody->getMassInverse() * rigidBody->getExternalForce(); - mConstrainedAngularVelocities[i] = rigidBody->getAngularVelocity() + - dt * rigidBody->getInertiaTensorInverseWorld() * rigidBody->getExternalTorque(); + uint index = mMapBodyToConstrainedVelocityIndex.find(bodies[b])->second; - i++; - } -} + // Get the position/orientation of the rigid body + const Transform& transform = bodies[b]->getTransform(); + mConstrainedPositions[index] = transform.getPosition(); + mConstrainedOrientations[index]= transform.getOrientation(); + } -// Cleanup the constrained velocities array at each step -void DynamicsWorld::cleanupConstrainedVelocitiesArray() { + // ---------- Solve the position error correction for the constraints ---------- // - // Clear the constrained velocites - mConstrainedLinearVelocities.clear(); - mConstrainedAngularVelocities.clear(); + // For each iteration of the position (error correction) solver + for (uint i=0; i::iterator it; - for (it = getRigidBodiesBeginIterator(); it != getRigidBodiesEndIterator(); ++it) { + for (uint b=0; b < mIslands[islandIndex]->getNbBodies(); b++) { - RigidBody* rigidBody = dynamic_cast(*it); - assert(rigidBody != NULL); - - // If the gravity force is on - if(mIsGravityOn) { + uint index = mMapBodyToConstrainedVelocityIndex.find(bodies[b])->second; - // Apply the current gravity force to the body - rigidBody->setExternalForce(rigidBody->getMass() * mGravity); + // Get the new position/orientation of the body + const Vector3& newPosition = mConstrainedPositions[index]; + const Quaternion& newOrientation = mConstrainedOrientations[index]; + + // Update the Transform of the body + Transform newTransform(newPosition, newOrientation.getUnit()); + bodies[b]->setTransform(newTransform); } } } @@ -234,7 +485,7 @@ void DynamicsWorld::applyGravity() { // Create a rigid body into the physics world RigidBody* DynamicsWorld::createRigidBody(const Transform& transform, decimal mass, const Matrix3x3& inertiaTensorLocal, - CollisionShape* collisionShape) { + const CollisionShape& collisionShape) { // Compute the body ID bodyindex bodyID = computeNextAvailableBodyID(); @@ -242,10 +493,14 @@ RigidBody* DynamicsWorld::createRigidBody(const Transform& transform, decimal ma // Largest index cannot be used (it is used for invalid index) assert(bodyID < std::numeric_limits::max()); + // Create a collision shape for the rigid body into the world + CollisionShape* newCollisionShape = createCollisionShape(collisionShape); + // Create the rigid body - RigidBody* rigidBody = new (mMemoryPoolRigidBodies.allocateObject()) RigidBody(transform, mass, + RigidBody* rigidBody = new (mMemoryAllocator.allocate(sizeof(RigidBody))) RigidBody(transform, + mass, inertiaTensorLocal, - collisionShape, + newCollisionShape, bodyID); assert(rigidBody != NULL); @@ -260,7 +515,7 @@ RigidBody* DynamicsWorld::createRigidBody(const Transform& transform, decimal ma return rigidBody; } -// Destroy a rigid body +// Destroy a rigid body and all the joints which it belongs void DynamicsWorld::destroyRigidBody(RigidBody* rigidBody) { // Remove the body from the collision detection @@ -269,20 +524,401 @@ void DynamicsWorld::destroyRigidBody(RigidBody* rigidBody) { // Add the body ID to the list of free IDs mFreeBodiesIDs.push_back(rigidBody->getID()); - // Call the constructor of the rigid body + // Remove the collision shape from the world + removeCollisionShape(rigidBody->getCollisionShape()); + + // Destroy all the joints in which the rigid body to be destroyed is involved + JointListElement* element; + for (element = rigidBody->mJointsList; element != NULL; element = element->next) { + destroyJoint(element->joint); + } + + // Reset the contact manifold list of the body + rigidBody->resetContactManifoldsList(mMemoryAllocator); + + // Call the destructor of the rigid body rigidBody->RigidBody::~RigidBody(); // Remove the rigid body from the list of rigid bodies mBodies.erase(rigidBody); mRigidBodies.erase(rigidBody); - // Free the object from the memory pool - mMemoryPoolRigidBodies.freeObject(rigidBody); + // Free the object from the memory allocator + mMemoryAllocator.release(rigidBody, sizeof(RigidBody)); } -// Remove all constraints in the physics world -void DynamicsWorld::removeAllConstraints() { - mConstraints.clear(); +// Create a joint between two bodies in the world and return a pointer to the new joint +Joint* DynamicsWorld::createJoint(const JointInfo& jointInfo) { + + Joint* newJoint = NULL; + + // Allocate memory to create the new joint + switch(jointInfo.type) { + + // Ball-and-Socket joint + case BALLSOCKETJOINT: + { + void* allocatedMemory = mMemoryAllocator.allocate(sizeof(BallAndSocketJoint)); + const BallAndSocketJointInfo& info = dynamic_cast( + jointInfo); + newJoint = new (allocatedMemory) BallAndSocketJoint(info); + break; + } + + // Slider joint + case SLIDERJOINT: + { + void* allocatedMemory = mMemoryAllocator.allocate(sizeof(SliderJoint)); + const SliderJointInfo& info = dynamic_cast(jointInfo); + newJoint = new (allocatedMemory) SliderJoint(info); + break; + } + + // Hinge joint + case HINGEJOINT: + { + void* allocatedMemory = mMemoryAllocator.allocate(sizeof(HingeJoint)); + const HingeJointInfo& info = dynamic_cast(jointInfo); + newJoint = new (allocatedMemory) HingeJoint(info); + break; + } + + // Fixed joint + case FIXEDJOINT: + { + void* allocatedMemory = mMemoryAllocator.allocate(sizeof(FixedJoint)); + const FixedJointInfo& info = dynamic_cast(jointInfo); + newJoint = new (allocatedMemory) FixedJoint(info); + break; + } + + default: + { + assert(false); + return NULL; + } + } + + // If the collision between the two bodies of the constraint is disabled + if (!jointInfo.isCollisionEnabled) { + + // Add the pair of bodies in the set of body pairs that cannot collide with each other + mCollisionDetection.addNoCollisionPair(jointInfo.body1, jointInfo.body2); + } + + // Add the joint into the world + mJoints.insert(newJoint); + + // Add the joint into the joint list of the bodies involved in the joint + addJointToBody(newJoint); + + // Return the pointer to the created joint + return newJoint; +} + +// Destroy a joint +void DynamicsWorld::destroyJoint(Joint* joint) { + + assert(joint != NULL); + + // If the collision between the two bodies of the constraint was disabled + if (!joint->isCollisionEnabled()) { + + // Remove the pair of bodies from the set of body pairs that cannot collide with each other + mCollisionDetection.removeNoCollisionPair(joint->getBody1(), joint->getBody2()); + } + + // Wake up the two bodies of the joint + joint->getBody1()->setIsSleeping(false); + joint->getBody2()->setIsSleeping(false); + + // Remove the joint from the world + mJoints.erase(joint); + + // Remove the joint from the joint list of the bodies involved in the joint + joint->mBody1->removeJointFromJointsList(mMemoryAllocator, joint); + joint->mBody2->removeJointFromJointsList(mMemoryAllocator, joint); + + size_t nbBytes = joint->getSizeInBytes(); + + // Call the destructor of the joint + joint->Joint::~Joint(); + + // Release the allocated memory + mMemoryAllocator.release(joint, nbBytes); +} + +// Add the joint to the list of joints of the two bodies involved in the joint +void DynamicsWorld::addJointToBody(Joint* joint) { + + assert(joint != NULL); + + // Add the joint at the beginning of the linked list of joints of the first body + void* allocatedMemory1 = mMemoryAllocator.allocate(sizeof(JointListElement)); + JointListElement* jointListElement1 = new (allocatedMemory1) JointListElement(joint, + joint->mBody1->mJointsList); + joint->mBody1->mJointsList = jointListElement1; + + // Add the joint at the beginning of the linked list of joints of the second body + void* allocatedMemory2 = mMemoryAllocator.allocate(sizeof(JointListElement)); + JointListElement* jointListElement2 = new (allocatedMemory2) JointListElement(joint, + joint->mBody2->mJointsList); + joint->mBody2->mJointsList = jointListElement2; +} + +// Add a contact manifold to the linked list of contact manifolds of the two bodies involed +// in the corresponding contact +void DynamicsWorld::addContactManifoldToBody(ContactManifold* contactManifold, + CollisionBody* body1, CollisionBody* body2) { + + assert(contactManifold != NULL); + + // Add the contact manifold at the beginning of the linked + // list of contact manifolds of the first body + void* allocatedMemory1 = mMemoryAllocator.allocate(sizeof(ContactManifoldListElement)); + ContactManifoldListElement* listElement1 = new (allocatedMemory1) + ContactManifoldListElement(contactManifold, + body1->mContactManifoldsList); + body1->mContactManifoldsList = listElement1; + + // Add the joint at the beginning of the linked list of joints of the second body + void* allocatedMemory2 = mMemoryAllocator.allocate(sizeof(ContactManifoldListElement)); + ContactManifoldListElement* listElement2 = new (allocatedMemory2) + ContactManifoldListElement(contactManifold, + body2->mContactManifoldsList); + body2->mContactManifoldsList = listElement2; +} + +// Reset all the contact manifolds linked list of each body +void DynamicsWorld::resetContactManifoldListsOfBodies() { + + // For each rigid body of the world + for (std::set::iterator it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + + // Reset the contact manifold list of the body + (*it)->resetContactManifoldsList(mMemoryAllocator); + } +} + +// Compute the islands of awake bodies. +/// An island is an isolated group of rigid bodies that have constraints (joints or contacts) +/// between each other. This method computes the islands at each time step as follows: For each +/// awake rigid body, we run a Depth First Search (DFS) through the constraint graph of that body +/// (graph where nodes are the bodies and where the edges are the constraints between the bodies) to +/// find all the bodies that are connected with it (the bodies that share joints or contacts with +/// it). Then, we create an island with this group of connected bodies. +void DynamicsWorld::computeIslands() { + + PROFILE("DynamicsWorld::computeIslands()"); + + uint nbBodies = mRigidBodies.size(); + + // Clear all the islands + for (uint i=0; iIsland::~Island(); + + // Release the allocated memory for the island + mMemoryAllocator.release(mIslands[i], sizeof(Island)); + } + + // Allocate and create the array of islands + if (mNbIslandsCapacity != nbBodies && nbBodies > 0) { + if (mNbIslandsCapacity > 0) { + mMemoryAllocator.release(mIslands, sizeof(Island*) * mNbIslandsCapacity); + } + mNbIslandsCapacity = nbBodies; + mIslands = (Island**)mMemoryAllocator.allocate(sizeof(Island*) * mNbIslandsCapacity); + } + mNbIslands = 0; + + // Reset all the isAlreadyInIsland variables of bodies, joints and contact manifolds + for (std::set::iterator it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + (*it)->mIsAlreadyInIsland = false; + } + for (std::vector::iterator it = mContactManifolds.begin(); + it != mContactManifolds.end(); ++it) { + (*it)->mIsAlreadyInIsland = false; + } + for (std::set::iterator it = mJoints.begin(); it != mJoints.end(); ++it) { + (*it)->mIsAlreadyInIsland = false; + } + + // Create a stack (using an array) for the rigid bodies to visit during the Depth First Search + size_t nbBytesStack = sizeof(RigidBody*) * nbBodies; + RigidBody** stackBodiesToVisit = (RigidBody**)mMemoryAllocator.allocate(nbBytesStack); + + // For each rigid body of the world + for (std::set::iterator it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + + RigidBody* body = *it; + + // If the body has already been added to an island, we go to the next body + if (body->mIsAlreadyInIsland) continue; + + // If the body is not moving, we go to the next body + // TODO : When we will use STATIC bodies, we will need to take care of this case here + if (!body->isMotionEnabled()) continue; + + // If the body is sleeping or inactive, we go to the next body + if (body->isSleeping() || !body->isActive()) continue; + + // Reset the stack of bodies to visit + uint stackIndex = 0; + stackBodiesToVisit[stackIndex] = body; + stackIndex++; + body->mIsAlreadyInIsland = true; + + // Create the new island + void* allocatedMemoryIsland = mMemoryAllocator.allocate(sizeof(Island)); + mIslands[mNbIslands] = new (allocatedMemoryIsland) Island(nbBodies,mContactManifolds.size(), + mJoints.size(), mMemoryAllocator); + + // While there are still some bodies to visit in the stack + while (stackIndex > 0) { + + // Get the next body to visit from the stack + stackIndex--; + RigidBody* bodyToVisit = stackBodiesToVisit[stackIndex]; + assert(bodyToVisit->isActive()); + + // Awake the body if it is slepping + bodyToVisit->setIsSleeping(false); + + // Add the body into the island + mIslands[mNbIslands]->addBody(bodyToVisit); + + // If the current body is not moving, we do not want to perform the DFS + // search across that body + if (!bodyToVisit->isMotionEnabled()) continue; + + // For each contact manifold in which the current body is involded + ContactManifoldListElement* contactElement; + for (contactElement = bodyToVisit->mContactManifoldsList; contactElement != NULL; + contactElement = contactElement->next) { + + ContactManifold* contactManifold = contactElement->contactManifold; + + // Check if the current contact manifold has already been added into an island + if (contactManifold->isAlreadyInIsland()) continue; + + // Add the contact manifold into the island + mIslands[mNbIslands]->addContactManifold(contactManifold); + contactManifold->mIsAlreadyInIsland = true; + + // Get the other body of the contact manifold + RigidBody* body1 = dynamic_cast(contactManifold->getBody1()); + RigidBody* body2 = dynamic_cast(contactManifold->getBody2()); + RigidBody* otherBody = (body1->getID() == bodyToVisit->getID()) ? body2 : body1; + + // Check if the other body has already been added to the island + if (otherBody->mIsAlreadyInIsland) continue; + + // Insert the other body into the stack of bodies to visit + stackBodiesToVisit[stackIndex] = otherBody; + stackIndex++; + otherBody->mIsAlreadyInIsland = true; + } + + // For each joint in which the current body is involved + JointListElement* jointElement; + for (jointElement = bodyToVisit->mJointsList; jointElement != NULL; + jointElement = jointElement->next) { + + Joint* joint = jointElement->joint; + + // Check if the current joint has already been added into an island + if (joint->isAlreadyInIsland()) continue; + + // Add the joint into the island + mIslands[mNbIslands]->addJoint(joint); + joint->mIsAlreadyInIsland = true; + + // Get the other body of the contact manifold + RigidBody* body1 = dynamic_cast(joint->getBody1()); + RigidBody* body2 = dynamic_cast(joint->getBody2()); + RigidBody* otherBody = (body1->getID() == bodyToVisit->getID()) ? body2 : body1; + + // Check if the other body has already been added to the island + if (otherBody->mIsAlreadyInIsland) continue; + + // Insert the other body into the stack of bodies to visit + stackBodiesToVisit[stackIndex] = otherBody; + stackIndex++; + otherBody->mIsAlreadyInIsland = true; + } + } + + // Reset the isAlreadyIsland variable of the static bodies so that they + // can also be included in the other islands + for (uint i=0; i < mIslands[mNbIslands]->mNbBodies; i++) { + + if (!mIslands[mNbIslands]->mBodies[i]->isMotionEnabled()) { + mIslands[mNbIslands]->mBodies[i]->mIsAlreadyInIsland = false; + } + } + + mNbIslands++; + } + + // Release the allocated memory for the stack of bodies to visit + mMemoryAllocator.release(stackBodiesToVisit, nbBytesStack); +} + +// Put bodies to sleep if needed. +/// For each island, if all the bodies have been almost still for a long enough period of +/// time, we put all the bodies of the island to sleep. +void DynamicsWorld::updateSleepingBodies() { + + PROFILE("DynamicsWorld::updateSleepingBodies()"); + + const decimal dt = static_cast(mTimer.getTimeStep()); + const decimal sleepLinearVelocitySquare = mSleepLinearVelocity * mSleepLinearVelocity; + const decimal sleepAngularVelocitySquare = mSleepAngularVelocity * mSleepAngularVelocity; + + // For each island of the world + for (uint i=0; igetBodies(); + for (uint b=0; b < mIslands[i]->getNbBodies(); b++) { + + // Skip static bodies + if (!bodies[b]->isMotionEnabled()) continue; + + // If the body is velocity is large enough to stay awake + if (bodies[b]->getLinearVelocity().lengthSquare() > sleepLinearVelocitySquare || + bodies[b]->getAngularVelocity().lengthSquare() > sleepAngularVelocitySquare || + !bodies[b]->isAllowedToSleep()) { + + // Reset the sleep time of the body + bodies[b]->mSleepTime = decimal(0.0); + minSleepTime = decimal(0.0); + } + else { // If the body velocity is bellow the sleeping velocity threshold + + // Increase the sleep time + bodies[b]->mSleepTime += dt; + if (bodies[b]->mSleepTime < minSleepTime) { + minSleepTime = bodies[b]->mSleepTime; + } + } + } + + // If the velocity of all the bodies of the island is under the + // sleeping velocity threshold for a period of time larger than + // the time required to become a sleeping body + if (minSleepTime >= mTimeBeforeSleep) { + + // Put all the bodies of the island to sleep + for (uint b=0; b < mIslands[i]->getNbBodies(); b++) { + bodies[b]->setIsSleeping(true); + } + } + } } // Notify the world about a new broad-phase overlapping pair @@ -292,8 +928,8 @@ void DynamicsWorld::notifyAddedOverlappingPair(const BroadPhasePair* addedPair) bodyindexpair indexPair = addedPair->getBodiesIndexPair(); // Add the pair into the set of overlapping pairs (if not there yet) - OverlappingPair* newPair = new (mMemoryPoolOverlappingPairs.allocateObject()) OverlappingPair( - addedPair->body1, addedPair->body2, mMemoryPoolContacts); + OverlappingPair* newPair = new (mMemoryAllocator.allocate(sizeof(OverlappingPair))) + OverlappingPair(addedPair->body1, addedPair->body2, mMemoryAllocator); assert(newPair != NULL); std::pair::iterator, bool> check = mOverlappingPairs.insert(make_pair(indexPair, newPair)); @@ -306,26 +942,19 @@ void DynamicsWorld::notifyRemovedOverlappingPair(const BroadPhasePair* removedPa // Get the pair of body index std::pair indexPair = removedPair->getBodiesIndexPair(); - // Remove the overlapping pair from the memory pool + // Remove the overlapping pair from the memory allocator mOverlappingPairs.find(indexPair)->second->OverlappingPair::~OverlappingPair(); - mMemoryPoolOverlappingPairs.freeObject(mOverlappingPairs[indexPair]); + mMemoryAllocator.release(mOverlappingPairs[indexPair], sizeof(OverlappingPair)); mOverlappingPairs.erase(indexPair); } // Notify the world about a new narrow-phase contact void DynamicsWorld::notifyNewContact(const BroadPhasePair* broadPhasePair, - const ContactInfo* contactInfo) { - - RigidBody* const rigidBody1 = dynamic_cast(broadPhasePair->body1); - RigidBody* const rigidBody2 = dynamic_cast(broadPhasePair->body2); - - assert(rigidBody1 != NULL); - assert(rigidBody2 != NULL); + const ContactPointInfo* contactInfo) { // Create a new contact - ContactPoint* contact = new (mMemoryPoolContacts.allocateObject()) ContactPoint(rigidBody1, - rigidBody2, - contactInfo); + ContactPoint* contact = new (mMemoryAllocator.allocate(sizeof(ContactPoint))) ContactPoint( + *contactInfo); assert(contact != NULL); // Get the corresponding overlapping pair @@ -333,9 +962,40 @@ void DynamicsWorld::notifyNewContact(const BroadPhasePair* broadPhasePair, OverlappingPair* overlappingPair = mOverlappingPairs.find(indexPair)->second; assert(overlappingPair != NULL); + // If it is the first contact since the pair are overlapping + if (overlappingPair->getNbContactPoints() == 0) { + + // Trigger a callback event + if (mEventListener != NULL) mEventListener->beginContact(*contactInfo); + } + // Add the contact to the contact cache of the corresponding overlapping pair overlappingPair->addContact(contact); // Add the contact manifold to the world mContactManifolds.push_back(overlappingPair->getContactManifold()); + + // Add the contact manifold into the list of contact manifolds + // of the two bodies involved in the contact + addContactManifoldToBody(overlappingPair->getContactManifold(), overlappingPair->mBody1, + overlappingPair->mBody2); + + // Trigger a callback event for the new contact + if (mEventListener != NULL) mEventListener->newContact(*contactInfo); +} + +// Enable/Disable the sleeping technique +void DynamicsWorld::enableSleeping(bool isSleepingEnabled) { + mIsSleepingEnabled = isSleepingEnabled; + + if (!mIsSleepingEnabled) { + + // For each body of the world + std::set::iterator it; + for (it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + + // Wake up the rigid body + (*it)->setIsSleeping(false); + } + } } diff --git a/src/engine/DynamicsWorld.h b/src/engine/DynamicsWorld.h index 03abe3f8..d1a9b158 100644 --- a/src/engine/DynamicsWorld.h +++ b/src/engine/DynamicsWorld.h @@ -23,15 +23,17 @@ * * ********************************************************************************/ -#ifndef DYNAMICS_WORLD_H -#define DYNAMICS_WORLD_H +#ifndef REACTPHYSICS3D_DYNAMICS_WORLD_H +#define REACTPHYSICS3D_DYNAMICS_WORLD_H // Libraries #include "CollisionWorld.h" #include "../collision/CollisionDetection.h" #include "ContactSolver.h" +#include "ConstraintSolver.h" #include "../body/RigidBody.h" #include "Timer.h" +#include "Island.h" #include "../configuration.h" /// Namespace ReactPhysics3D @@ -55,44 +57,82 @@ class DynamicsWorld : public CollisionWorld { /// Contact solver ContactSolver mContactSolver; - /// True if the deactivation (sleeping) of inactive bodies is enabled - bool mIsDeactivationActive; + /// Constraint solver + ConstraintSolver mConstraintSolver; + + /// Number of iterations for the velocity solver of the Sequential Impulses technique + uint mNbVelocitySolverIterations; + + /// Number of iterations for the position solver of the Sequential Impulses technique + uint mNbPositionSolverIterations; + + /// True if the spleeping technique for inactive bodies is enabled + bool mIsSleepingEnabled; /// All the rigid bodies of the physics world std::set mRigidBodies; /// All the contact constraints + // TODO : Remove this variable (we will use the ones in the island now) std::vector mContactManifolds; - /// All the constraints (except contact constraints) - std::vector mConstraints; + /// All the joints of the world + std::set mJoints; /// Gravity vector of the world Vector3 mGravity; /// True if the gravity force is on - bool mIsGravityOn; - - /// Memory pool for the overlapping pairs - MemoryPool mMemoryPoolOverlappingPairs; - - /// Memory pool for rigid bodies memory allocation - MemoryPool mMemoryPoolRigidBodies; - - /// Memory pool for the contacts - MemoryPool mMemoryPoolContacts; + bool mIsGravityEnabled; /// Array of constrained linear velocities (state of the linear velocities /// after solving the constraints) - std::vector mConstrainedLinearVelocities; + Vector3* mConstrainedLinearVelocities; /// Array of constrained angular velocities (state of the angular velocities /// after solving the constraints) - std::vector mConstrainedAngularVelocities; + Vector3* mConstrainedAngularVelocities; + + /// Split linear velocities for the position contact solver (split impulse) + Vector3* mSplitLinearVelocities; + + /// Split angular velocities for the position contact solver (split impulse) + Vector3* mSplitAngularVelocities; + + /// Array of constrained rigid bodies position (for position error correction) + std::vector mConstrainedPositions; + + /// Array of constrained rigid bodies orientation (for position error correction) + std::vector mConstrainedOrientations; /// Map body to their index in the constrained velocities array std::map mMapBodyToConstrainedVelocityIndex; + /// Number of islands in the world + uint mNbIslands; + + /// Current allocated capacity for the islands + uint mNbIslandsCapacity; + + /// Array with all the islands of awaken bodies + Island** mIslands; + + /// Current allocated capacity for the bodies + uint mNbBodiesCapacity; + + /// Sleep linear velocity threshold + decimal mSleepLinearVelocity; + + /// Sleep angular velocity threshold + decimal mSleepAngularVelocity; + + /// Time (in seconds) before a body is put to sleep if its velocity + /// becomes smaller than the sleep velocity. + decimal mTimeBeforeSleep; + + /// Pointer to an event listener object + EventListener* mEventListener; + // -------------------- Methods -------------------- // /// Private copy-constructor @@ -101,8 +141,14 @@ class DynamicsWorld : public CollisionWorld { /// Private assignment operator DynamicsWorld& operator=(const DynamicsWorld& world); - /// Compute the motion of all bodies and update their positions and orientations - void updateRigidBodiesPositionAndOrientation(); + /// Integrate the positions and orientations of rigid bodies. + void integrateRigidBodiesPositions(); + + /// Update the AABBs of the bodies + void updateRigidBodiesAABB(); + + /// Reset the external force and torque applied to the bodies + void resetBodiesForceAndTorque(); /// Update the position and orientation of a body void updatePositionAndOrientationOfBody(RigidBody* body, Vector3 newLinVelocity, @@ -111,18 +157,30 @@ class DynamicsWorld : public CollisionWorld { /// Compute and set the interpolation factor to all bodies void setInterpolationFactorToAllBodies(); - /// Initialize the constrained velocities array at each step - void initConstrainedVelocitiesArray(); + /// Initialize the bodies velocities arrays for the next simulation step. + void initVelocityArrays(); + + /// Integrate the velocities of rigid bodies. + void integrateRigidBodiesVelocities(); + + /// Solve the contacts and constraints + void solveContactsAndConstraints(); + + /// Solve the position error correction of the constraints + void solvePositionCorrection(); /// Cleanup the constrained velocities array at each step void cleanupConstrainedVelocitiesArray(); - /// Apply the gravity force to all bodies - void applyGravity(); - /// Reset the boolean movement variable of each body void resetBodiesMovementVariable(); + /// Compute the islands of awake bodies. + void computeIslands(); + + /// Put bodies to sleep if needed. + void updateSleepingBodies(); + /// Update the overlapping pair virtual void updateOverlappingPair(const BroadPhasePair* pair); @@ -133,9 +191,10 @@ class DynamicsWorld : public CollisionWorld { virtual void notifyRemovedOverlappingPair(const BroadPhasePair* removedPair); /// Notify the world about a new narrow-phase contact - virtual void notifyNewContact(const BroadPhasePair* pair, const ContactInfo* contactInfo); + virtual void notifyNewContact(const BroadPhasePair* pair, + const ContactPointInfo* contactInfo); -public : + public : // -------------------- Methods -------------------- // @@ -154,88 +213,155 @@ public : /// Update the physics simulation void update(); - /// Set the number of iterations of the constraint solver - void setNbIterationsSolver(uint nbIterations); + /// Set the number of iterations for the velocity constraint solver + void setNbIterationsVelocitySolver(uint nbIterations); - /// Activate or Deactivate the split impulses for contacts - void setIsSplitImpulseActive(bool isActive); + /// Set the number of iterations for the position constraint solver + void setNbIterationsPositionSolver(uint nbIterations); + + /// Set the position correction technique used for contacts + void setContactsPositionCorrectionTechnique(ContactsPositionCorrectionTechnique technique); + + /// Set the position correction technique used for joints + void setJointsPositionCorrectionTechnique(JointsPositionCorrectionTechnique technique); /// Activate or deactivate the solving of friction constraints at the center of /// the contact manifold instead of solving them at each contact point void setIsSolveFrictionAtContactManifoldCenterActive(bool isActive); - /// Set the isErrorCorrectionActive value - void setIsErrorCorrectionActive(bool isErrorCorrectionActive); - - /// Create a rigid body into the physics world + /// Create a rigid body into the physics world. RigidBody* createRigidBody(const Transform& transform, decimal mass, const Matrix3x3& inertiaTensorLocal, - CollisionShape* collisionShape); + const CollisionShape& collisionShape); - /// Destroy a rigid body + /// Destroy a rigid body and all the joints which it belongs void destroyRigidBody(RigidBody* rigidBody); + /// Create a joint between two bodies in the world and return a pointer to the new joint + Joint* createJoint(const JointInfo& jointInfo); + + /// Destroy a joint + void destroyJoint(Joint* joint); + + /// Add the joint to the list of joints of the two bodies involved in the joint + void addJointToBody(Joint* joint); + + /// Add a contact manifold to the linked list of contact manifolds of the two bodies + /// involed in the corresponding contact. + void addContactManifoldToBody(ContactManifold* contactManifold, + CollisionBody *body1, CollisionBody *body2); + + /// Reset all the contact manifolds linked list of each body + void resetContactManifoldListsOfBodies(); + /// Return the gravity vector of the world Vector3 getGravity() const; /// Return if the gravity is on - bool getIsGravityOn() const; + bool isGravityEnabled() const; - /// Set the isGravityOn attribute - void setIsGratityOn(bool isGravityOn); + /// Enable/Disable the gravity + void setIsGratityEnabled(bool isGravityEnabled); /// Return the number of rigid bodies in the world uint getNbRigidBodies() const; - /// Add a constraint - void addConstraint(Constraint* constraint); + /// Return the number of joints in the world + uint getNbJoints() const; - /// Remove a constraint - void removeConstraint(Constraint* constraint); - - /// Remove all constraints and delete them (free their memory) - void removeAllConstraints(); - - /// Return the number of contact constraints in the world + /// Return the number of contact manifolds in the world uint getNbContactManifolds() const; - /// Return a start iterator on the constraint list - std::vector::iterator getConstraintsBeginIterator(); - - /// Return a end iterator on the constraint list - std::vector::iterator getConstraintsEndIterator(); - - /// Return a start iterator on the contact manifolds list - std::vector::iterator getContactManifoldsBeginIterator(); - - /// Return a end iterator on the contact manifolds list - std::vector::iterator getContactManifoldsEndIterator(); + /// Return the current physics time (in seconds) + long double getPhysicsTime() const; /// Return an iterator to the beginning of the rigid bodies of the physics world std::set::iterator getRigidBodiesBeginIterator(); /// Return an iterator to the end of the rigid bodies of the physics world std::set::iterator getRigidBodiesEndIterator(); + + /// Return a reference to the contact manifolds of the world + const std::vector& getContactManifolds() const; + + /// Return true if the sleeping technique is enabled + bool isSleepingEnabled() const; + + /// Enable/Disable the sleeping technique + void enableSleeping(bool isSleepingEnabled); + + /// Return the current sleep linear velocity + decimal getSleepLinearVelocity() const; + + /// Set the sleep linear velocity. + void setSleepLinearVelocity(decimal sleepLinearVelocity); + + /// Return the current sleep angular velocity + decimal getSleepAngularVelocity() const; + + /// Set the sleep angular velocity. + void setSleepAngularVelocity(decimal sleepAngularVelocity); + + /// Return the time a body is required to stay still before sleeping + decimal getTimeBeforeSleep() const; + + /// Set the time a body is required to stay still before sleeping + void setTimeBeforeSleep(decimal timeBeforeSleep); + + /// Set an event listener object to receive events callbacks. + void setEventListener(EventListener* eventListener); }; +// Reset the external force and torque applied to the bodies +inline void DynamicsWorld::resetBodiesForceAndTorque() { + + // For each body of the world + std::set::iterator it; + for (it = mRigidBodies.begin(); it != mRigidBodies.end(); ++it) { + (*it)->mExternalForce.setToZero(); + (*it)->mExternalTorque.setToZero(); + } +} + // Start the physics simulation inline void DynamicsWorld::start() { mTimer.start(); } inline void DynamicsWorld::stop() { - std::cout << "Stop Simulation" << std::endl; mTimer.stop(); } -// Set the number of iterations of the constraint solver -inline void DynamicsWorld::setNbIterationsSolver(uint nbIterations) { - mContactSolver.setNbIterationsSolver(nbIterations); +// Set the number of iterations for the velocity constraint solver +inline void DynamicsWorld::setNbIterationsVelocitySolver(uint nbIterations) { + mNbVelocitySolverIterations = nbIterations; } -// Activate or Deactivate the split impulses for contacts -inline void DynamicsWorld::setIsSplitImpulseActive(bool isActive) { - mContactSolver.setIsSplitImpulseActive(isActive); +// Set the number of iterations for the position constraint solver +inline void DynamicsWorld::setNbIterationsPositionSolver(uint nbIterations) { + mNbPositionSolverIterations = nbIterations; +} + +// Set the position correction technique used for contacts +inline void DynamicsWorld::setContactsPositionCorrectionTechnique( + ContactsPositionCorrectionTechnique technique) { + if (technique == BAUMGARTE_CONTACTS) { + mContactSolver.setIsSplitImpulseActive(false); + } + else { + mContactSolver.setIsSplitImpulseActive(true); + } +} + +// Set the position correction technique used for joints +inline void DynamicsWorld::setJointsPositionCorrectionTechnique( + JointsPositionCorrectionTechnique technique) { + if (technique == BAUMGARTE_JOINTS) { + mConstraintSolver.setIsNonLinearGaussSeidelPositionCorrectionActive(false); + } + else { + mConstraintSolver.setIsNonLinearGaussSeidelPositionCorrectionActive(true); + } } // Activate or deactivate the solving of friction constraints at the center of @@ -252,7 +378,7 @@ inline void DynamicsWorld::resetBodiesMovementVariable() { it != getRigidBodiesEndIterator(); it++) { // Set the hasMoved variable to false - (*it)->setHasMoved(false); + (*it)->mHasMoved = false; } } @@ -269,37 +395,19 @@ inline void DynamicsWorld::updateOverlappingPair(const BroadPhasePair* pair) { overlappingPair->update(); } - -// Add a constraint into the physics world -inline void DynamicsWorld::addConstraint(Constraint* constraint) { - assert(constraint != 0); - mConstraints.push_back(constraint); -} - -// Remove a constraint and free its memory -inline void DynamicsWorld::removeConstraint(Constraint* constraint) { - std::vector::iterator it; - - assert(constraint != NULL); - it = std::find(mConstraints.begin(), mConstraints.end(), constraint); - assert(*it == constraint); - delete *it; - mConstraints.erase(it); -} - // Return the gravity vector of the world inline Vector3 DynamicsWorld::getGravity() const { return mGravity; } -// Return if the gravity is on -inline bool DynamicsWorld::getIsGravityOn() const { - return mIsGravityOn; +// Return if the gravity is enaled +inline bool DynamicsWorld::isGravityEnabled() const { + return mIsGravityEnabled; } -// Set the isGravityOn attribute -inline void DynamicsWorld::setIsGratityOn(bool isGravityOn) { - mIsGravityOn = isGravityOn; +// Enable/Disable the gravity +inline void DynamicsWorld::setIsGratityEnabled(bool isGravityEnabled) { + mIsGravityEnabled = isGravityEnabled; } // Return the number of rigid bodies in the world @@ -307,6 +415,11 @@ inline uint DynamicsWorld::getNbRigidBodies() const { return mRigidBodies.size(); } +/// Return the number of joints in the world +inline uint DynamicsWorld::getNbJoints() const { + return mJoints.size(); +} + // Return an iterator to the beginning of the bodies of the physics world inline std::set::iterator DynamicsWorld::getRigidBodiesBeginIterator() { return mRigidBodies.begin(); @@ -317,31 +430,73 @@ inline std::set::iterator DynamicsWorld::getRigidBodiesEndIterator() return mRigidBodies.end(); } +// Return a reference to the contact manifolds of the world +inline const std::vector& DynamicsWorld::getContactManifolds() const { + return mContactManifolds; +} + // Return the number of contact manifolds in the world inline uint DynamicsWorld::getNbContactManifolds() const { return mContactManifolds.size(); } -// Return a start iterator on the constraint list -inline std::vector::iterator DynamicsWorld::getConstraintsBeginIterator() { - return mConstraints.begin(); +// Return the current physics time (in seconds) +inline long double DynamicsWorld::getPhysicsTime() const { + return mTimer.getPhysicsTime(); } -// Return a end iterator on the constraint list -inline std::vector::iterator DynamicsWorld::getConstraintsEndIterator() { - return mConstraints.end(); +// Return true if the sleeping technique is enabled +inline bool DynamicsWorld::isSleepingEnabled() const { + return mIsSleepingEnabled; } -// Return a start iterator on the contact manifolds list -inline std::vector::iterator DynamicsWorld::getContactManifoldsBeginIterator() { - return mContactManifolds.begin(); +// Return the current sleep linear velocity +inline decimal DynamicsWorld::getSleepLinearVelocity() const { + return mSleepLinearVelocity; } -// Return a end iterator on the contact manifolds list -inline std::vector::iterator DynamicsWorld::getContactManifoldsEndIterator() { - return mContactManifolds.end(); +// Set the sleep linear velocity. +/// When the velocity of a body becomes smaller than the sleep linear/angular +/// velocity for a given amount of time, the body starts sleeping and does not need +/// to be simulated anymore. +inline void DynamicsWorld::setSleepLinearVelocity(decimal sleepLinearVelocity) { + assert(sleepLinearVelocity >= decimal(0.0)); + mSleepLinearVelocity = sleepLinearVelocity; } +// Return the current sleep angular velocity +inline decimal DynamicsWorld::getSleepAngularVelocity() const { + return mSleepAngularVelocity; +} + +// Set the sleep angular velocity. +/// When the velocity of a body becomes smaller than the sleep linear/angular +/// velocity for a given amount of time, the body starts sleeping and does not need +/// to be simulated anymore. +inline void DynamicsWorld::setSleepAngularVelocity(decimal sleepAngularVelocity) { + assert(sleepAngularVelocity >= decimal(0.0)); + mSleepAngularVelocity = sleepAngularVelocity; +} + +// Return the time a body is required to stay still before sleeping +inline decimal DynamicsWorld::getTimeBeforeSleep() const { + return mTimeBeforeSleep; +} + + +// Set the time a body is required to stay still before sleeping +inline void DynamicsWorld::setTimeBeforeSleep(decimal timeBeforeSleep) { + assert(timeBeforeSleep >= decimal(0.0)); + mTimeBeforeSleep = timeBeforeSleep; +} + +// Set an event listener object to receive events callbacks. +/// If you use NULL as an argument, the events callbacks will be disabled. +inline void DynamicsWorld::setEventListener(EventListener* eventListener) { + mEventListener = eventListener; +} + + } #endif diff --git a/examples/fallingcubes/Box.h b/src/engine/EventListener.h similarity index 68% rename from examples/fallingcubes/Box.h rename to src/engine/EventListener.h index e8b9bd98..97d7c347 100644 --- a/examples/fallingcubes/Box.h +++ b/src/engine/EventListener.h @@ -23,60 +23,40 @@ * * ********************************************************************************/ +#ifndef REACTPHYSICS3D_EVENT_LISTENER_H +#define REACTPHYSICS3D_EVENT_LISTENER_H + // Libraries -#include -#ifdef APPLE_OS - #include -#else - #include -#endif -#ifdef USE_FREEGLUT - #ifdef APPLE_OS - #include - #else - #include - #endif -#else - #ifdef APPLE_OS - #include - #else - #include - #endif -#endif +#include "../constraint/ContactPoint.h" -#ifndef BOX_H -#define BOX_H +namespace reactphysics3d { -/// This class represents a cube box -class Box { +// Class EventListener +/** + * This class can be used to receive event callbacks from the physics engine. + * In order to receive callbacks, you need to create a new class that inherits from + * this one and you must override the methods you need. Then, you need to register your + * new event listener class to the physics world using the DynamicsWorld::setEventListener() + * method. + */ +class EventListener { - private: - - /// Size of the box - double mSize; - - /// Pointer to the rigid body associated to the box - rp3d::RigidBody* mRigidBody; - - public: + public : /// Constructor - Box(double size, rp3d::RigidBody* rigidBody); + EventListener() {} /// Destructor - ~Box(); + virtual ~EventListener() {} - /// Return the pointer to the rigid body - rp3d::RigidBody* getRigidBodyPointer() const; + /// Called when a new contact point is found between two bodies that were separated before + virtual void beginContact(const ContactPointInfo& contact) {} + + /// Called when a new contact point is found between two bodies + virtual void newContact(const ContactPointInfo& contact) {} - /// Draw the box - void draw() const; }; -// Return the pointer to the rigid body -inline rp3d::RigidBody* Box::getRigidBodyPointer() const { - return mRigidBody; } #endif - diff --git a/src/engine/Impulse.h b/src/engine/Impulse.h new file mode 100644 index 00000000..849d90ed --- /dev/null +++ b/src/engine/Impulse.h @@ -0,0 +1,87 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_IMPULSE_H +#define REACTPHYSICS3D_IMPULSE_H + +// Libraries +#include "../mathematics/mathematics.h" + +namespace reactphysics3d { + +// Structure Impulse +/** + * Represents an impulse that we can apply to bodies in the contact or constraint solver. + */ +struct Impulse { + + private: + + // -------------------- Methods -------------------- // + + /// Private assignment operator + Impulse& operator=(const Impulse& impulse); + + public: + + // -------------------- Attributes -------------------- // + + /// Linear impulse applied to the first body + const Vector3 linearImpulseBody1; + + /// Linear impulse applied to the second body + const Vector3 linearImpulseBody2; + + /// Angular impulse applied to the first body + const Vector3 angularImpulseBody1; + + /// Angular impulse applied to the second body + const Vector3 angularImpulseBody2; + + // -------------------- Methods -------------------- // + + /// Constructor + Impulse(const Vector3& initLinearImpulseBody1, const Vector3& initAngularImpulseBody1, + const Vector3& initLinearImpulseBody2, const Vector3& initAngularImpulseBody2) + : linearImpulseBody1(initLinearImpulseBody1), + angularImpulseBody1(initAngularImpulseBody1), + linearImpulseBody2(initLinearImpulseBody2), + angularImpulseBody2(initAngularImpulseBody2) { + + } + + /// Copy-constructor + Impulse(const Impulse& impulse) + : linearImpulseBody1(impulse.linearImpulseBody1), + angularImpulseBody1(impulse.angularImpulseBody1), + linearImpulseBody2(impulse.linearImpulseBody2), + angularImpulseBody2(impulse.angularImpulseBody2) { +; + } +}; + +} + +#endif diff --git a/src/engine/Island.cpp b/src/engine/Island.cpp new file mode 100644 index 00000000..116f652a --- /dev/null +++ b/src/engine/Island.cpp @@ -0,0 +1,54 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Island.h" + +using namespace reactphysics3d; + +// Constructor +Island::Island(uint nbMaxBodies, uint nbMaxContactManifolds, uint nbMaxJoints, + MemoryAllocator& memoryAllocator) + : mBodies(NULL), mContactManifolds(NULL), mJoints(NULL), mNbBodies(0), + mNbContactManifolds(0), mNbJoints(0), mMemoryAllocator(memoryAllocator) { + + // Allocate memory for the arrays + mNbAllocatedBytesBodies = sizeof(RigidBody*) * nbMaxBodies; + mBodies = (RigidBody**) mMemoryAllocator.allocate(mNbAllocatedBytesBodies); + mNbAllocatedBytesContactManifolds = sizeof(ContactManifold*) * nbMaxContactManifolds; + mContactManifolds = (ContactManifold**) mMemoryAllocator.allocate( + mNbAllocatedBytesContactManifolds); + mNbAllocatedBytesJoints = sizeof(Joint*) * nbMaxJoints; + mJoints = (Joint**) mMemoryAllocator.allocate(mNbAllocatedBytesJoints); +} + +// Destructor +Island::~Island() { + + // Release the memory of the arrays + mMemoryAllocator.release(mBodies, mNbAllocatedBytesBodies); + mMemoryAllocator.release(mContactManifolds, mNbAllocatedBytesContactManifolds); + mMemoryAllocator.release(mJoints, mNbAllocatedBytesJoints); +} diff --git a/src/engine/Island.h b/src/engine/Island.h new file mode 100644 index 00000000..2aa067f3 --- /dev/null +++ b/src/engine/Island.h @@ -0,0 +1,180 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_ISLAND_H +#define REACTPHYSICS3D_ISLAND_H + +// Libraries +#include "../memory/MemoryAllocator.h" +#include "../body/RigidBody.h" +#include "../constraint/Joint.h" +#include "ContactManifold.h" + +namespace reactphysics3d { + +// Class Island +/** + * An island represent an isolated group of awake bodies that are connected with each other by + * some contraints (contacts or joints). + */ +class Island { + + private: + + // -------------------- Attributes -------------------- // + + /// Array with all the bodies of the island + RigidBody** mBodies; + + /// Array with all the contact manifolds between bodies of the island + ContactManifold** mContactManifolds; + + /// Array with all the joints between bodies of the island + Joint** mJoints; + + /// Current number of bodies in the island + uint mNbBodies; + + /// Current number of contact manifold in the island + uint mNbContactManifolds; + + /// Current number of joints in the island + uint mNbJoints; + + /// Reference to the memory allocator + MemoryAllocator& mMemoryAllocator; + + /// Number of bytes allocated for the bodies array + size_t mNbAllocatedBytesBodies; + + /// Number of bytes allocated for the contact manifolds array + size_t mNbAllocatedBytesContactManifolds; + + /// Number of bytes allocated for the joints array + size_t mNbAllocatedBytesJoints; + + // -------------------- Methods -------------------- // + + /// Private assignment operator + Island& operator=(const Island& island); + + /// Private copy-constructor + Island(const Island& island); + + public: + + // -------------------- Methods -------------------- // + + /// Constructor + Island(uint nbMaxBodies, uint nbMaxContactManifolds, uint nbMaxJoints, + MemoryAllocator& memoryAllocator); + + /// Destructor + ~Island(); + + /// Add a body into the island + void addBody(RigidBody* body); + + /// Add a contact manifold into the island + void addContactManifold(ContactManifold* contactManifold); + + /// Add a joint into the island + void addJoint(Joint* joint); + + /// Return the number of bodies in the island + uint getNbBodies() const; + + /// Return the number of contact manifolds in the island + uint getNbContactManifolds() const; + + /// Return the number of joints in the island + uint getNbJoints() const; + + /// Return a pointer to the array of bodies + RigidBody** getBodies(); + + /// Return a pointer to the array of contact manifolds + ContactManifold** getContactManifold(); + + /// Return a pointer to the array of joints + Joint** getJoints(); + + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; +}; + +// Add a body into the island +inline void Island::addBody(RigidBody* body) { + assert(!body->isSleeping()); + mBodies[mNbBodies] = body; + mNbBodies++; +} + +// Add a contact manifold into the island +inline void Island::addContactManifold(ContactManifold* contactManifold) { + mContactManifolds[mNbContactManifolds] = contactManifold; + mNbContactManifolds++; +} + +// Add a joint into the island +inline void Island::addJoint(Joint* joint) { + mJoints[mNbJoints] = joint; + mNbJoints++; +} + +// Return the number of bodies in the island +inline uint Island::getNbBodies() const { + return mNbBodies; +} + +// Return the number of contact manifolds in the island +inline uint Island::getNbContactManifolds() const { + return mNbContactManifolds; +} + +// Return the number of joints in the island +inline uint Island::getNbJoints() const { + return mNbJoints; +} + +// Return a pointer to the array of bodies +inline RigidBody** Island::getBodies() { + return mBodies; +} + +// Return a pointer to the array of contact manifolds +inline ContactManifold** Island::getContactManifold() { + return mContactManifolds; +} + +// Return a pointer to the array of joints +inline Joint** Island::getJoints() { + return mJoints; +} + +} + +#endif diff --git a/src/collision/ContactInfo.cpp b/src/engine/Material.cpp similarity index 85% rename from src/collision/ContactInfo.cpp rename to src/engine/Material.cpp index b3d7486a..491a1184 100644 --- a/src/collision/ContactInfo.cpp +++ b/src/engine/Material.cpp @@ -24,15 +24,23 @@ ********************************************************************************/ // Libraries -#include "ContactInfo.h" +#include "Material.h" using namespace reactphysics3d; - // Constructor -ContactInfo::ContactInfo(const Vector3& normal, decimal penetrationDepth, - const Vector3& localPoint1, const Vector3& localPoint2) - : normal(normal), penetrationDepth(penetrationDepth), localPoint1(localPoint1), - localPoint2(localPoint2) { +Material::Material() + : mFrictionCoefficient(DEFAULT_FRICTION_COEFFICIENT), mBounciness(DEFAULT_BOUNCINESS) { + +} + +// Copy-constructor +Material::Material(const Material& material) + : mFrictionCoefficient(material.mFrictionCoefficient), mBounciness(material.mBounciness) { + +} + +// Destructor +Material::~Material() { } diff --git a/src/engine/Material.h b/src/engine/Material.h new file mode 100644 index 00000000..4d06f1a9 --- /dev/null +++ b/src/engine/Material.h @@ -0,0 +1,123 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_MATERIAL_H +#define REACTPHYSICS3D_MATERIAL_H + +// Libraries +#include +#include "../configuration.h" + +namespace reactphysics3d { + +// Class Material +/** + * This class contains the material properties of a rigid body that will be use for + * the dynamics simulation like the friction coefficient or the bounciness of the rigid + * body. + */ +class Material { + + private : + + // -------------------- Attributes -------------------- // + + /// Friction coefficient (positive value) + decimal mFrictionCoefficient; + + /// Bounciness during collisions (between 0 and 1) where 1 is for a very bouncy body + decimal mBounciness; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Material(); + + /// Copy-constructor + Material(const Material& material); + + /// Destructor + ~Material(); + + /// Return the bounciness + decimal getBounciness() const; + + /// Set the bounciness. + void setBounciness(decimal bounciness); + + /// Return the friction coefficient + decimal getFrictionCoefficient() const; + + /// Set the friction coefficient. + void setFrictionCoefficient(decimal frictionCoefficient); + + /// Overloaded assignment operator + Material& operator=(const Material& material); +}; + +// Return the bounciness +inline decimal Material::getBounciness() const { + return mBounciness; +} + +// Set the bounciness. +/// The bounciness should be a value between 0 and 1. The value 1 is used for a +/// very bouncy body and zero is used for a body that is not bouncy at all. +inline void Material::setBounciness(decimal bounciness) { + assert(bounciness >= decimal(0.0) && bounciness <= decimal(1.0)); + mBounciness = bounciness; +} + +// Return the friction coefficient +inline decimal Material::getFrictionCoefficient() const { + return mFrictionCoefficient; +} + +// Set the friction coefficient. +/// The friction coefficient has to be a positive value. The value zero is used for no +/// friction at all. +inline void Material::setFrictionCoefficient(decimal frictionCoefficient) { + assert(frictionCoefficient >= decimal(0.0)); + mFrictionCoefficient = frictionCoefficient; +} + +// Overloaded assignment operator +inline Material& Material::operator=(const Material& material) { + + // Check for self-assignment + if (this != &material) { + mFrictionCoefficient = material.mFrictionCoefficient; + mBounciness = material.mBounciness; + } + + // Return this material + return *this; +} + +} + +#endif diff --git a/src/engine/OverlappingPair.cpp b/src/engine/OverlappingPair.cpp index 8ca9b511..69a459bb 100644 --- a/src/engine/OverlappingPair.cpp +++ b/src/engine/OverlappingPair.cpp @@ -31,8 +31,8 @@ using namespace reactphysics3d; // Constructor OverlappingPair::OverlappingPair(CollisionBody* body1, CollisionBody* body2, - MemoryPool& memoryPoolContacts) - : mBody1(body1), mBody2(body2), mContactManifold(body1, body2, memoryPoolContacts), + MemoryAllocator &memoryAllocator) + : mBody1(body1), mBody2(body2), mContactManifold(body1, body2, memoryAllocator), mCachedSeparatingAxis(1.0, 1.0, 1.0) { } diff --git a/src/engine/OverlappingPair.h b/src/engine/OverlappingPair.h index 36beba56..1ecfe0c6 100644 --- a/src/engine/OverlappingPair.h +++ b/src/engine/OverlappingPair.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef OVERLAPPING_PAIR_H -#define OVERLAPPING_PAIR_H +#ifndef REACTPHYSICS3D_OVERLAPPING_PAIR_H +#define REACTPHYSICS3D_OVERLAPPING_PAIR_H // Libraries #include "ContactManifold.h" @@ -47,10 +47,10 @@ class OverlappingPair { // -------------------- Attributes -------------------- // /// Pointer to the first body of the contact - CollisionBody* const mBody1; + CollisionBody* mBody1; /// Pointer to the second body of the contact - CollisionBody* const mBody2; + CollisionBody* mBody2; /// Persistent contact manifold ContactManifold mContactManifold; @@ -72,7 +72,7 @@ class OverlappingPair { /// Constructor OverlappingPair(CollisionBody* body1, CollisionBody* body2, - MemoryPool& memoryPoolContacts); + MemoryAllocator& memoryAllocator); /// Destructor ~OverlappingPair(); @@ -100,6 +100,10 @@ class OverlappingPair { /// Return the contact manifold ContactManifold* getContactManifold(); + + // -------------------- Friendship -------------------- // + + friend class DynamicsWorld; }; // Return the pointer to first body diff --git a/src/engine/Profiler.cpp b/src/engine/Profiler.cpp new file mode 100644 index 00000000..ad86b557 --- /dev/null +++ b/src/engine/Profiler.cpp @@ -0,0 +1,257 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifdef IS_PROFILING_ACTIVE + +// Libraries +#include "Profiler.h" + +using namespace reactphysics3d; + +// Initialization of static variables +ProfileNode Profiler::mRootNode("Root", NULL); +ProfileNode* Profiler::mCurrentNode = &Profiler::mRootNode; +long double Profiler::mProfilingStartTime = Timer::getCurrentSystemTime() * 1000.0; +uint Profiler::mFrameCounter = 0; + +// Constructor +ProfileNode::ProfileNode(const char* name, ProfileNode* parentNode) + :mName(name), mNbTotalCalls(0), mStartingTime(0), mTotalTime(0), + mRecursionCounter(0), mParentNode(parentNode), mChildNode(NULL), + mSiblingNode(NULL) { + reset(); +} + +// Destructor +ProfileNode::~ProfileNode() { + + delete mChildNode; + delete mSiblingNode; +} + +// Return a pointer to a sub node with a given name +ProfileNode* ProfileNode::findSubNode(const char* name) { + + // Try to find the node among the child nodes + ProfileNode* child = mChildNode; + while (child != NULL) { + if (child->mName == name) { + return child; + } + child = child->mSiblingNode; + } + + // The nose has not been found. Therefore, we create it + // and add it to the profiler tree + ProfileNode* newNode = new ProfileNode(name, this); + newNode->mSiblingNode = mChildNode; + mChildNode = newNode; + + return newNode; +} + +// Called when we enter the block of code corresponding to this profile node +void ProfileNode::enterBlockOfCode() { + mNbTotalCalls++; + + // If the current code is not called recursively + if (mRecursionCounter == 0) { + + // Get the current system time to initialize the starting time of + // the profiling of the current block of code + mStartingTime = Timer::getCurrentSystemTime() * 1000.0; + } + + mRecursionCounter++; +} + +// Called when we exit the block of code corresponding to this profile node +bool ProfileNode::exitBlockOfCode() { + mRecursionCounter--; + + if (mRecursionCounter == 0 && mNbTotalCalls != 0) { + + // Get the current system time + long double currentTime = Timer::getCurrentSystemTime() * 1000.0; + + // Increase the total elasped time in the current block of code + mTotalTime += currentTime - mStartingTime; + } + + // Return true if the current code is not recursing + return (mRecursionCounter == 0); +} + +// Reset the profiling of the node +void ProfileNode::reset() { + mNbTotalCalls = 0; + mTotalTime = 0.0; + + // Reset the child node + if (mChildNode != NULL) { + mChildNode->reset(); + } + + // Reset the sibling node + if (mSiblingNode != NULL) { + mSiblingNode->reset(); + } +} + +// Destroy the node +void ProfileNode::destroy() { + delete mChildNode; + mChildNode = NULL; + delete mSiblingNode; + mSiblingNode = NULL; +} + +// Constructor +ProfileNodeIterator::ProfileNodeIterator(ProfileNode* startingNode) + :mCurrentParentNode(startingNode), + mCurrentChildNode(mCurrentParentNode->getChildNode()){ + +} + +// Enter a given child node +void ProfileNodeIterator::enterChild(int index) { + mCurrentChildNode = mCurrentParentNode->getChildNode(); + while ((mCurrentChildNode != NULL) && (index != 0)) { + index--; + mCurrentChildNode = mCurrentChildNode->getSiblingNode(); + } + + if (mCurrentChildNode != NULL) { + mCurrentParentNode = mCurrentChildNode; + mCurrentChildNode = mCurrentParentNode->getChildNode(); + } +} + +// Enter a given parent node +void ProfileNodeIterator::enterParent() { + if (mCurrentParentNode->getParentNode() != NULL) { + mCurrentParentNode = mCurrentParentNode->getParentNode(); + } + mCurrentChildNode = mCurrentParentNode->getChildNode(); +} + +// Method called when we want to start profiling a block of code. +void Profiler::startProfilingBlock(const char* name) { + + // Look for the node in the tree that corresponds to the block of + // code to profile + if (name != mCurrentNode->getName()) { + mCurrentNode = mCurrentNode->findSubNode(name); + } + + // Start profile the node + mCurrentNode->enterBlockOfCode(); +} + +// Method called at the end of the scope where the +// startProfilingBlock() method has been called. +void Profiler::stopProfilingBlock() { + + // Go to the parent node unless if the current block + // of code is recursing + if (mCurrentNode->exitBlockOfCode()) { + mCurrentNode = mCurrentNode->getParentNode(); + } +} + +// Reset the timing data of the profiler (but not the profiler tree structure) +void Profiler::reset() { + mRootNode.reset(); + mRootNode.enterBlockOfCode(); + mFrameCounter = 0; + mProfilingStartTime = Timer::getCurrentSystemTime() * 1000.0; +} + +// Print the report of the profiler in a given output stream +void Profiler::printReport(std::ostream& outputStream) { + ProfileNodeIterator* iterator = Profiler::getIterator(); + + // Recursively print the report of each node of the profiler tree + printRecursiveNodeReport(iterator, 0, outputStream); + + // Destroy the iterator + destroyIterator(iterator); +} + +// Recursively print the report of a given node of the profiler tree +void Profiler::printRecursiveNodeReport(ProfileNodeIterator* iterator, + int spacing, + std::ostream& outputStream) { + iterator->first(); + + // If we are at the end of a branch in the profiler tree + if (iterator->isEnd()) { + return; + } + + long double parentTime = iterator->isRoot() ? getElapsedTimeSinceStart() : + iterator->getCurrentParentTotalTime(); + long double accumulatedTime = 0.0; + uint nbFrames = Profiler::getNbFrames(); + for (int i=0; igetCurrentParentName() << + " (total running time : " << parentTime << " ms) ---" << std::endl; + long double totalTime = 0.0; + + // Recurse over the children of the current node + int nbChildren = 0; + for (int i=0; !iterator->isEnd(); i++, iterator->next()) { + nbChildren++; + long double currentTotalTime = iterator->getCurrentTotalTime(); + accumulatedTime += currentTotalTime; + long double fraction = parentTime > std::numeric_limits::epsilon() ? + (currentTotalTime / parentTime) * 100.0 : 0.0; + for (int j=0; jgetCurrentName() << " : " << + fraction << " % | " << (currentTotalTime / (long double) (nbFrames)) << + " ms/frame (" << iterator->getCurrentNbTotalCalls() << " calls)" << + std::endl; + totalTime += currentTotalTime; + } + + if (parentTime < accumulatedTime) { + outputStream << "Something is wrong !" << std::endl; + } + for (int i=0; i std::numeric_limits::epsilon() ? + ((parentTime - accumulatedTime) / parentTime) * 100.0 : 0.0; + long double difference = parentTime - accumulatedTime; + outputStream << "| Unaccounted : " << difference << " ms (" << percentage << " %)" << std::endl; + + for (int i=0; ienterChild(i); + printRecursiveNodeReport(iterator, spacing + 3, outputStream); + iterator->enterParent(); + } +} + +#endif diff --git a/src/engine/Profiler.h b/src/engine/Profiler.h new file mode 100644 index 00000000..7030e685 --- /dev/null +++ b/src/engine/Profiler.h @@ -0,0 +1,390 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_PROFILER_H +#define REACTPHYSICS3D_PROFILER_H + +#ifdef IS_PROFILING_ACTIVE + +// Libraries +#include "../configuration.h" +#include "Timer.h" + +/// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class ProfileNode +/** + * It represents a profile sample in the profiler tree. + */ +class ProfileNode { + + private : + + // -------------------- Attributes -------------------- // + + /// Name of the node + const char* mName; + + /// Total number of calls of this node + uint mNbTotalCalls; + + /// Starting time of the sampling of corresponding block of code + long double mStartingTime; + + /// Total time spent in the block of code + long double mTotalTime; + + /// Recursion counter + int mRecursionCounter; + + /// Pointer to the parent node + ProfileNode* mParentNode; + + /// Pointer to a child node + ProfileNode* mChildNode; + + /// Pointer to a sibling node + ProfileNode* mSiblingNode; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + ProfileNode(const char* name, ProfileNode* parentNode); + + /// Destructor + ~ProfileNode(); + + /// Return a pointer to a sub node + ProfileNode* findSubNode(const char* name); + + /// Return a pointer to the parent node + ProfileNode* getParentNode(); + + /// Return a pointer to a sibling node + ProfileNode* getSiblingNode(); + + /// Return a pointer to a child node + ProfileNode* getChildNode(); + + /// Return the name of the node + const char* getName(); + + /// Return the total number of call of the corresponding block of code + uint getNbTotalCalls() const; + + /// Return the total time spent in the block of code + long double getTotalTime() const; + + /// Called when we enter the block of code corresponding to this profile node + void enterBlockOfCode(); + + /// Called when we exit the block of code corresponding to this profile node + bool exitBlockOfCode(); + + /// Reset the profiling of the node + void reset(); + + /// Destroy the node + void destroy(); +}; + +// Class ProfileNodeIterator +/** + * This class allows us to iterator over the profiler tree. + */ +class ProfileNodeIterator { + + private : + + // -------------------- Attributes -------------------- // + + /// Current parent node + ProfileNode* mCurrentParentNode; + + /// Current child node + ProfileNode* mCurrentChildNode; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + ProfileNodeIterator(ProfileNode* startingNode); + + /// Go to the first node + void first(); + + /// Go to the next node + void next(); + + /// Enter a given child node + void enterChild(int index); + + /// Enter a given parent node + void enterParent(); + + /// Return true if we are at the root of the profiler tree + bool isRoot(); + + /// Return true if we are at the end of a branch of the profiler tree + bool isEnd(); + + /// Return the name of the current node + const char* getCurrentName(); + + /// Return the total time of the current node + long double getCurrentTotalTime(); + + /// Return the total number of calls of the current node + uint getCurrentNbTotalCalls(); + + /// Return the name of the current parent node + const char* getCurrentParentName(); + + /// Return the total time of the current parent node + long double getCurrentParentTotalTime(); + + /// Return the total number of calls of the current parent node + uint getCurrentParentNbTotalCalls(); +}; + +// Class Profiler +/** + * This is the main class of the profiler. This profiler is based on "Real-Time Hierarchical + * Profiling" article from "Game Programming Gems 3" by Greg Hjelstrom and Byon Garrabrant. + */ +class Profiler { + + private : + + // -------------------- Attributes -------------------- // + + /// Root node of the profiler tree + static ProfileNode mRootNode; + + /// Current node in the current execution + static ProfileNode* mCurrentNode; + + /// Frame counter + static uint mFrameCounter; + + /// Starting profiling time + static long double mProfilingStartTime; + + /// Recursively print the report of a given node of the profiler tree + static void printRecursiveNodeReport(ProfileNodeIterator* iterator, + int spacing, + std::ostream& outputStream); + + public : + + // -------------------- Methods -------------------- // + + /// Method called when we want to start profiling a block of code. + static void startProfilingBlock(const char *name); + + /// Method called at the end of the scope where the + /// startProfilingBlock() method has been called. + static void stopProfilingBlock(); + + /// Reset the timing data of the profiler (but not the profiler tree structure) + static void reset(); + + /// Return the number of frames + static uint getNbFrames(); + + /// Return the elasped time since the start/reset of the profiling + static long double getElapsedTimeSinceStart(); + + /// Increment the frame counter + static void incrementFrameCounter(); + + /// Return an iterator over the profiler tree starting at the root + static ProfileNodeIterator* getIterator(); + + /// Print the report of the profiler in a given output stream + static void printReport(std::ostream& outputStream); + + /// Destroy a previously allocated iterator + static void destroyIterator(ProfileNodeIterator* iterator); + + /// Destroy the profiler (release the memory) + static void destroy(); +}; + +// Class ProfileSample +/** + * This class is used to represent a profile sample. It is constructed at the + * beginning of a code block we want to profile and destructed at the end of the + * scope to profile. + */ +class ProfileSample { + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + ProfileSample(const char* name) { + + // Ask the profiler to start profiling a block of code + Profiler::startProfilingBlock(name); + } + + /// Destructor + ~ProfileSample() { + + // Tell the profiler to stop profiling a block of code + Profiler::stopProfilingBlock(); + } +}; + +// Use this macro to start profile a block of code +#define PROFILE(name) ProfileSample profileSample(name) + +// Return true if we are at the root of the profiler tree +inline bool ProfileNodeIterator::isRoot() { + return (mCurrentParentNode->getParentNode() == NULL); +} + +// Return true if we are at the end of a branch of the profiler tree +inline bool ProfileNodeIterator::isEnd() { + return (mCurrentChildNode == NULL); +} + +// Return the name of the current node +inline const char* ProfileNodeIterator::getCurrentName() { + return mCurrentChildNode->getName(); +} + +// Return the total time of the current node +inline long double ProfileNodeIterator::getCurrentTotalTime() { + return mCurrentChildNode->getTotalTime(); +} + +// Return the total number of calls of the current node +inline uint ProfileNodeIterator::getCurrentNbTotalCalls() { + return mCurrentChildNode->getNbTotalCalls(); +} + +// Return the name of the current parent node +inline const char* ProfileNodeIterator::getCurrentParentName() { + return mCurrentParentNode->getName(); +} + +// Return the total time of the current parent node +inline long double ProfileNodeIterator::getCurrentParentTotalTime() { + return mCurrentParentNode->getTotalTime(); +} + +// Return the total number of calls of the current parent node +inline uint ProfileNodeIterator::getCurrentParentNbTotalCalls() { + return mCurrentParentNode->getNbTotalCalls(); +} + +// Go to the first node +inline void ProfileNodeIterator::first() { + mCurrentChildNode = mCurrentParentNode->getChildNode(); +} + +// Go to the next node +inline void ProfileNodeIterator::next() { + mCurrentChildNode = mCurrentChildNode->getSiblingNode(); +} + +// Return a pointer to the parent node +inline ProfileNode* ProfileNode::getParentNode() { + return mParentNode; +} + +// Return a pointer to a sibling node +inline ProfileNode* ProfileNode::getSiblingNode() { + return mSiblingNode; +} + +// Return a pointer to a child node +inline ProfileNode* ProfileNode::getChildNode() { + return mChildNode; +} + +// Return the name of the node +inline const char* ProfileNode::getName() { + return mName; +} + +// Return the total number of call of the corresponding block of code +inline uint ProfileNode::getNbTotalCalls() const { + return mNbTotalCalls; +} + +// Return the total time spent in the block of code +inline long double ProfileNode::getTotalTime() const { + return mTotalTime; +} + +// Return the number of frames +inline uint Profiler::getNbFrames() { + return mFrameCounter; +} + +// Return the elasped time since the start/reset of the profiling +inline long double Profiler::getElapsedTimeSinceStart() { + long double currentTime = Timer::getCurrentSystemTime() * 1000.0; + return currentTime - mProfilingStartTime; +} + +// Increment the frame counter +inline void Profiler::incrementFrameCounter() { + mFrameCounter++; +} + +// Return an iterator over the profiler tree starting at the root +inline ProfileNodeIterator* Profiler::getIterator() { + return new ProfileNodeIterator(&mRootNode); +} + +// Destroy a previously allocated iterator +inline void Profiler::destroyIterator(ProfileNodeIterator* iterator) { + delete iterator; +} + +// Destroy the profiler (release the memory) +inline void Profiler::destroy() { + mRootNode.destroy(); +} + +} + +#else // In profile is not active + +// Empty macro in case profiling is not active +#define PROFILE(name) + +#endif + +#endif diff --git a/src/engine/Timer.cpp b/src/engine/Timer.cpp index 007a4240..16dbb04c 100644 --- a/src/engine/Timer.cpp +++ b/src/engine/Timer.cpp @@ -39,6 +39,23 @@ Timer::~Timer() { } +// Return the current time of the system in seconds +long double Timer::getCurrentSystemTime() { + + #if defined(WINDOWS_OS) + LARGE_INTEGER ticksPerSecond; + LARGE_INTEGER ticks; + QueryPerformanceFrequency(&ticksPerSecond); + QueryPerformanceCounter(&ticks); + return (long double(ticks.QuadPart) / long double(ticksPerSecond.QuadPart)); + #else + // Initialize the lastUpdateTime with the current time in seconds + timeval timeValue; + gettimeofday(&timeValue, NULL); + return (timeValue.tv_sec + (timeValue.tv_usec / 1000000.0)); + #endif +} + diff --git a/src/engine/Timer.h b/src/engine/Timer.h index d165dbc6..7e1b3b7d 100644 --- a/src/engine/Timer.h +++ b/src/engine/Timer.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef TIMER_H -#define TIMER_H +#ifndef REACTPHYSICS3D_TIMER_H +#define REACTPHYSICS3D_TIMER_H // Libraries #include @@ -47,7 +47,7 @@ namespace reactphysics3d { // Class Timer /** * This class will take care of the time in the physics engine. It - * uses fuunctions that depend on the current platform to get the + * uses functions that depend on the current platform to get the * current time. */ class Timer { @@ -59,9 +59,6 @@ class Timer { /// Timestep dt of the physics engine (timestep > 0.0) double mTimeStep; - /// Current time of the physics engine - long double mTime; - /// Last time the timer has been updated long double mLastUpdateTime; @@ -98,8 +95,8 @@ class Timer { /// Set the timestep of the physics engine void setTimeStep(double timeStep); - /// Return the current time - long double getTime() const; + /// Return the current time of the physics engine + long double getPhysicsTime() const; /// Start the timer void start(); @@ -121,6 +118,9 @@ class Timer { /// Compute the interpolation factor decimal computeInterpolationFactor(); + + /// Return the current time of the system in seconds + static long double getCurrentSystemTime(); }; // Return the timestep of the physics engine @@ -135,8 +135,8 @@ inline void Timer::setTimeStep(double timeStep) { } // Return the current time -inline long double Timer::getTime() const { - return mTime; +inline long double Timer::getPhysicsTime() const { + return mLastUpdateTime; } // Return if the timer is running @@ -147,19 +147,9 @@ inline bool Timer::getIsRunning() const { // Start the timer inline void Timer::start() { if (!mIsRunning) { - -#if defined(WINDOWS_OS) - LARGE_INTEGER ticksPerSecond; - LARGE_INTEGER ticks; - QueryPerformanceFrequency(&ticksPerSecond); - QueryPerformanceCounter(&ticks); - mLastUpdateTime = double(ticks.QuadPart) / double(ticksPerSecond.QuadPart); -#else - // Initialize the lastUpdateTime with the current time in seconds - timeval timeValue; - gettimeofday(&timeValue, NULL); - mLastUpdateTime = timeValue.tv_sec + (timeValue.tv_usec / 1000000.0); -#endif + + // Get the current system time + mLastUpdateTime = getCurrentSystemTime(); mAccumulator = 0.0; mIsRunning = true; @@ -168,7 +158,6 @@ inline void Timer::start() { // Stop the timer inline void Timer::stop() { - std::cout << "Timer stop" << std::endl; mIsRunning = false; } @@ -181,9 +170,6 @@ inline bool Timer::isPossibleToTakeStep() const { inline void Timer::nextStep() { assert(mIsRunning); - // Update the current time of the physics engine - mTime += mTimeStep; - // Update the accumulator value mAccumulator -= mTimeStep; } @@ -195,20 +181,9 @@ inline decimal Timer::computeInterpolationFactor() { // Compute the time since the last update() call and add it to the accumulator inline void Timer::update() { - long double currentTime; - -#if defined(WINDOWS_OS) - LARGE_INTEGER ticksPerSecond; - LARGE_INTEGER ticks; - QueryPerformanceFrequency(&ticksPerSecond); - QueryPerformanceCounter(&ticks); - currentTime = double(ticks.QuadPart) / double(ticksPerSecond.QuadPart); -#else - // Compute the current time is seconds - timeval timeValue; - gettimeofday(&timeValue, NULL); - currentTime = timeValue.tv_sec + (timeValue.tv_usec / 1000000.0); -#endif + + // Get the current system time + long double currentTime = getCurrentSystemTime(); // Compute the delta display time between two display frames mDeltaTime = currentTime - mLastUpdateTime; diff --git a/src/mathematics/Matrix2x2.cpp b/src/mathematics/Matrix2x2.cpp new file mode 100644 index 00000000..96aa5806 --- /dev/null +++ b/src/mathematics/Matrix2x2.cpp @@ -0,0 +1,87 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "Matrix2x2.h" + +using namespace reactphysics3d; + +// Constructor of the class Matrix2x2 +Matrix2x2::Matrix2x2() { + + // Initialize all values in the matrix to zero + setAllValues(0.0, 0.0, 0.0, 0.0); +} + +// Constructor +Matrix2x2::Matrix2x2(decimal value) { + setAllValues(value, value, value, value); +} + +// Constructor with arguments +Matrix2x2::Matrix2x2(decimal a1, decimal a2, decimal b1, decimal b2) { + + // Initialize the matrix with the values + setAllValues(a1, a2, b1, b2); +} + +// Destructor +Matrix2x2::~Matrix2x2() { + +} + +// Copy-constructor +Matrix2x2::Matrix2x2(const Matrix2x2& matrix) { + setAllValues(matrix.mRows[0][0], matrix.mRows[0][1], + matrix.mRows[1][0], matrix.mRows[1][1]); +} + +// Assignment operator +Matrix2x2& Matrix2x2::operator=(const Matrix2x2& matrix) { + + // Check for self-assignment + if (&matrix != this) { + setAllValues(matrix.mRows[0][0], matrix.mRows[0][1], + matrix.mRows[1][0], matrix.mRows[1][1]); + } + return *this; +} + +// Return the inverse matrix +Matrix2x2 Matrix2x2::getInverse() const { + + // Compute the determinant of the matrix + decimal determinant = getDeterminant(); + + // Check if the determinant is equal to zero + assert(std::abs(determinant) > MACHINE_EPSILON); + + decimal invDeterminant = decimal(1.0) / determinant; + + Matrix2x2 tempMatrix(mRows[1][1], -mRows[0][1], -mRows[1][0], mRows[0][0]); + + // Return the inverse matrix + return (invDeterminant * tempMatrix); +} diff --git a/src/mathematics/Matrix2x2.h b/src/mathematics/Matrix2x2.h new file mode 100644 index 00000000..d19846bc --- /dev/null +++ b/src/mathematics/Matrix2x2.h @@ -0,0 +1,312 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_MATRIX2X2_H +#define REACTPHYSICS3D_MATRIX2X2_H + +// Libraries +#include +#include "Vector2.h" + +/// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class Matrix2x2 +/** + * This class represents a 2x2 matrix. + */ +class Matrix2x2 { + + private : + + // -------------------- Attributes -------------------- // + + /// Rows of the matrix; + Vector2 mRows[2]; + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + Matrix2x2(); + + /// Constructor + Matrix2x2(decimal value); + + /// Constructor + Matrix2x2(decimal a1, decimal a2, decimal b1, decimal b2); + + /// Destructor + ~Matrix2x2(); + + /// Copy-constructor + Matrix2x2(const Matrix2x2& matrix); + + /// Assignment operator + Matrix2x2& operator=(const Matrix2x2& matrix); + + /// Set all the values in the matrix + void setAllValues(decimal a1, decimal a2, decimal b1, decimal b2); + + /// Set the matrix to zero + void setToZero(); + + /// Return a column + Vector2 getColumn(int i) const; + + /// Return a row + Vector2 getRow(int i) const; + + /// Return the transpose matrix + Matrix2x2 getTranspose() const; + + /// Return the determinant of the matrix + decimal getDeterminant() const; + + /// Return the trace of the matrix + decimal getTrace() const; + + /// Return the inverse matrix + Matrix2x2 getInverse() const; + + /// Return the matrix with absolute values + Matrix2x2 getAbsoluteMatrix() const; + + /// Set the matrix to the identity matrix + void setToIdentity(); + + /// Return the 2x2 identity matrix + static Matrix2x2 identity(); + + /// Overloaded operator for addition + friend Matrix2x2 operator+(const Matrix2x2& matrix1, const Matrix2x2& matrix2); + + /// Overloaded operator for substraction + friend Matrix2x2 operator-(const Matrix2x2& matrix1, const Matrix2x2& matrix2); + + /// Overloaded operator for the negative of the matrix + friend Matrix2x2 operator-(const Matrix2x2& matrix); + + /// Overloaded operator for multiplication with a number + friend Matrix2x2 operator*(decimal nb, const Matrix2x2& matrix); + + /// Overloaded operator for multiplication with a matrix + friend Matrix2x2 operator*(const Matrix2x2& matrix, decimal nb); + + /// Overloaded operator for matrix multiplication + friend Matrix2x2 operator*(const Matrix2x2& matrix1, const Matrix2x2& matrix2); + + /// Overloaded operator for multiplication with a vector + friend Vector2 operator*(const Matrix2x2& matrix, const Vector2& vector); + + /// Overloaded operator for equality condition + bool operator==(const Matrix2x2& matrix) const; + + /// Overloaded operator for the is different condition + bool operator!= (const Matrix2x2& matrix) const; + + /// Overloaded operator for addition with assignment + Matrix2x2& operator+=(const Matrix2x2& matrix); + + /// Overloaded operator for substraction with assignment + Matrix2x2& operator-=(const Matrix2x2& matrix); + + /// Overloaded operator for multiplication with a number with assignment + Matrix2x2& operator*=(decimal nb); + + /// Overloaded operator to read element of the matrix. + const Vector2& operator[](int row) const; + + /// Overloaded operator to read/write element of the matrix. + Vector2& operator[](int row); +}; + +// Method to set all the values in the matrix +inline void Matrix2x2::setAllValues(decimal a1, decimal a2, + decimal b1, decimal b2) { + mRows[0][0] = a1; mRows[0][1] = a2; + mRows[1][0] = b1; mRows[1][1] = b2; +} + +// Set the matrix to zero +inline void Matrix2x2::setToZero() { + mRows[0].setToZero(); + mRows[1].setToZero(); +} + +// Return a column +inline Vector2 Matrix2x2::getColumn(int i) const { + assert(i>= 0 && i<2); + return Vector2(mRows[0][i], mRows[1][i]); +} + +// Return a row +inline Vector2 Matrix2x2::getRow(int i) const { + assert(i>= 0 && i<2); + return mRows[i]; +} + +// Return the transpose matrix +inline Matrix2x2 Matrix2x2::getTranspose() const { + + // Return the transpose matrix + return Matrix2x2(mRows[0][0], mRows[1][0], + mRows[0][1], mRows[1][1]); +} + +// Return the determinant of the matrix +inline decimal Matrix2x2::getDeterminant() const { + + // Compute and return the determinant of the matrix + return mRows[0][0] * mRows[1][1] - mRows[1][0] * mRows[0][1]; +} + +// Return the trace of the matrix +inline decimal Matrix2x2::getTrace() const { + + // Compute and return the trace + return (mRows[0][0] + mRows[1][1]); +} + +// Set the matrix to the identity matrix +inline void Matrix2x2::setToIdentity() { + mRows[0][0] = 1.0; mRows[0][1] = 0.0; + mRows[1][0] = 0.0; mRows[1][1] = 1.0; +} + +// Return the 2x2 identity matrix +inline Matrix2x2 Matrix2x2::identity() { + + // Return the isdentity matrix + return Matrix2x2(1.0, 0.0, 0.0, 1.0); +} + +// Return the matrix with absolute values +inline Matrix2x2 Matrix2x2::getAbsoluteMatrix() const { + return Matrix2x2(fabs(mRows[0][0]), fabs(mRows[0][1]), + fabs(mRows[1][0]), fabs(mRows[1][1])); +} + +// Overloaded operator for addition +inline Matrix2x2 operator+(const Matrix2x2& matrix1, const Matrix2x2& matrix2) { + return Matrix2x2(matrix1.mRows[0][0] + matrix2.mRows[0][0], + matrix1.mRows[0][1] + matrix2.mRows[0][1], + matrix1.mRows[1][0] + matrix2.mRows[1][0], + matrix1.mRows[1][1] + matrix2.mRows[1][1]); +} + +// Overloaded operator for substraction +inline Matrix2x2 operator-(const Matrix2x2& matrix1, const Matrix2x2& matrix2) { + return Matrix2x2(matrix1.mRows[0][0] - matrix2.mRows[0][0], + matrix1.mRows[0][1] - matrix2.mRows[0][1], + matrix1.mRows[1][0] - matrix2.mRows[1][0], + matrix1.mRows[1][1] - matrix2.mRows[1][1]); +} + +// Overloaded operator for the negative of the matrix +inline Matrix2x2 operator-(const Matrix2x2& matrix) { + return Matrix2x2(-matrix.mRows[0][0], -matrix.mRows[0][1], + -matrix.mRows[1][0], -matrix.mRows[1][1]); +} + +// Overloaded operator for multiplication with a number +inline Matrix2x2 operator*(decimal nb, const Matrix2x2& matrix) { + return Matrix2x2(matrix.mRows[0][0] * nb, matrix.mRows[0][1] * nb, + matrix.mRows[1][0] * nb, matrix.mRows[1][1] * nb); +} + +// Overloaded operator for multiplication with a matrix +inline Matrix2x2 operator*(const Matrix2x2& matrix, decimal nb) { + return nb * matrix; +} + +// Overloaded operator for matrix multiplication +inline Matrix2x2 operator*(const Matrix2x2& matrix1, const Matrix2x2& matrix2) { + return Matrix2x2(matrix1.mRows[0][0] * matrix2.mRows[0][0] + matrix1.mRows[0][1] * + matrix2.mRows[1][0], + matrix1.mRows[0][0] * matrix2.mRows[0][1] + matrix1.mRows[0][1] * + matrix2.mRows[1][1], + matrix1.mRows[1][0] * matrix2.mRows[0][0] + matrix1.mRows[1][1] * + matrix2.mRows[1][0], + matrix1.mRows[1][0] * matrix2.mRows[0][1] + matrix1.mRows[1][1] * + matrix2.mRows[1][1]); +} + +// Overloaded operator for multiplication with a vector +inline Vector2 operator*(const Matrix2x2& matrix, const Vector2& vector) { + return Vector2(matrix.mRows[0][0]*vector.x + matrix.mRows[0][1]*vector.y, + matrix.mRows[1][0]*vector.x + matrix.mRows[1][1]*vector.y); +} + +// Overloaded operator for equality condition +inline bool Matrix2x2::operator==(const Matrix2x2& matrix) const { + return (mRows[0][0] == matrix.mRows[0][0] && mRows[0][1] == matrix.mRows[0][1] && + mRows[1][0] == matrix.mRows[1][0] && mRows[1][1] == matrix.mRows[1][1]); +} + +// Overloaded operator for the is different condition +inline bool Matrix2x2::operator!= (const Matrix2x2& matrix) const { + return !(*this == matrix); +} + +// Overloaded operator for addition with assignment +inline Matrix2x2& Matrix2x2::operator+=(const Matrix2x2& matrix) { + mRows[0][0] += matrix.mRows[0][0]; mRows[0][1] += matrix.mRows[0][1]; + mRows[1][0] += matrix.mRows[1][0]; mRows[1][1] += matrix.mRows[1][1]; + return *this; +} + +// Overloaded operator for substraction with assignment +inline Matrix2x2& Matrix2x2::operator-=(const Matrix2x2& matrix) { + mRows[0][0] -= matrix.mRows[0][0]; mRows[0][1] -= matrix.mRows[0][1]; + mRows[1][0] -= matrix.mRows[1][0]; mRows[1][1] -= matrix.mRows[1][1]; + return *this; +} + +// Overloaded operator for multiplication with a number with assignment +inline Matrix2x2& Matrix2x2::operator*=(decimal nb) { + mRows[0][0] *= nb; mRows[0][1] *= nb; + mRows[1][0] *= nb; mRows[1][1] *= nb; + return *this; +} + +// Overloaded operator to return a row of the matrix. +/// This operator is also used to access a matrix value using the syntax +/// matrix[row][col]. +inline const Vector2& Matrix2x2::operator[](int row) const { + return mRows[row]; +} + +// Overloaded operator to return a row of the matrix. +/// This operator is also used to access a matrix value using the syntax +/// matrix[row][col]. +inline Vector2& Matrix2x2::operator[](int row) { + return mRows[row]; +} + +} + +#endif diff --git a/src/mathematics/Matrix3x3.h b/src/mathematics/Matrix3x3.h index faa5f0fc..d9382b04 100644 --- a/src/mathematics/Matrix3x3.h +++ b/src/mathematics/Matrix3x3.h @@ -24,8 +24,8 @@ ********************************************************************************/ -#ifndef MATRIX3X3_H -#define MATRIX3X3_H +#ifndef REACTPHYSICS3D_MATRIX3X3_H +#define REACTPHYSICS3D_MATRIX3X3_H // Libraries #include @@ -105,6 +105,10 @@ class Matrix3x3 { /// Return the 3x3 identity matrix static Matrix3x3 identity(); + /// Return a skew-symmetric matrix using a given vector that can be used + /// to compute cross product with another vector using matrix multiplication + static Matrix3x3 computeSkewSymmetricMatrixForCrossProduct(const Vector3& vector); + /// Overloaded operator for addition friend Matrix3x3 operator+(const Matrix3x3& matrix1, const Matrix3x3& matrix2); @@ -215,6 +219,12 @@ inline Matrix3x3 Matrix3x3::identity() { return Matrix3x3(1.0, 0.0, 0.0, 0.0, 1.0, 0.0, 0.0, 0.0, 1.0); } +// Return a skew-symmetric matrix using a given vector that can be used +// to compute cross product with another vector using matrix multiplication +inline Matrix3x3 Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(const Vector3& vector) { + return Matrix3x3(0, -vector.z, vector.y, vector.z, 0, -vector.x, -vector.y, vector.x, 0); +} + // Return the matrix with absolute values inline Matrix3x3 Matrix3x3::getAbsoluteMatrix() const { return Matrix3x3(fabs(mRows[0][0]), fabs(mRows[0][1]), fabs(mRows[0][2]), diff --git a/src/mathematics/Quaternion.h b/src/mathematics/Quaternion.h index d93964e0..5bc862da 100644 --- a/src/mathematics/Quaternion.h +++ b/src/mathematics/Quaternion.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef QUATERNION_H -#define QUATERNION_H +#ifndef REACTPHYSICS3D_QUATERNION_H +#define REACTPHYSICS3D_QUATERNION_H // Libraries #include @@ -84,15 +84,24 @@ struct Quaternion { /// Set the quaternion to zero void setToZero(); + /// Set to the identity quaternion + void setToIdentity(); + /// Return the vector v=(x y z) of the quaternion Vector3 getVectorV() const; /// Return the length of the quaternion decimal length() const; + /// Return the square of the length of the quaternion + decimal lengthSquare() const; + /// Normalize the quaternion void normalize(); + /// Inverse the quaternion + void inverse(); + /// Return the unit quaternion Quaternion getUnit() const; @@ -124,6 +133,12 @@ struct Quaternion { /// Overloaded operator for the substraction Quaternion operator-(const Quaternion& quaternion) const; + /// Overloaded operator for addition with assignment + Quaternion& operator+=(const Quaternion& quaternion); + + /// Overloaded operator for substraction with assignment + Quaternion& operator-=(const Quaternion& quaternion); + /// Overloaded operator for the multiplication with a constant Quaternion operator*(decimal nb) const; @@ -131,7 +146,7 @@ struct Quaternion { Quaternion operator*(const Quaternion& quaternion) const; /// Overloaded operator for the multiplication with a vector - Vector3 operator*(const Vector3& point); + Vector3 operator*(const Vector3& point) const; /// Overloaded operator for assignment Quaternion& operator=(const Quaternion& quaternion); @@ -156,6 +171,14 @@ inline void Quaternion::setToZero() { w = 0; } +// Set to the identity quaternion +inline void Quaternion::setToIdentity() { + x = 0; + y = 0; + z = 0; + w = 1; +} + // Return the vector v=(x y z) of the quaternion inline Vector3 Quaternion::getVectorV() const { @@ -168,6 +191,11 @@ inline decimal Quaternion::length() const { return sqrt(x*x + y*y + z*z + w*w); } +// Return the square of the length of the quaternion +inline decimal Quaternion::lengthSquare() const { + return x*x + y*y + z*z + w*w; +} + // Normalize the quaternion inline void Quaternion::normalize() { @@ -182,6 +210,21 @@ inline void Quaternion::normalize() { w /= l; } +// Inverse the quaternion +inline void Quaternion::inverse() { + + // Get the square length of the quaternion + decimal lengthSquareQuaternion = lengthSquare(); + + assert (lengthSquareQuaternion > MACHINE_EPSILON); + + // Compute and return the inverse quaternion + x /= -lengthSquareQuaternion; + y /= -lengthSquareQuaternion; + z /= -lengthSquareQuaternion; + w /= lengthSquareQuaternion; +} + // Return the unit quaternion inline Quaternion Quaternion::getUnit() const { decimal lengthQuaternion = length(); @@ -207,14 +250,13 @@ inline Quaternion Quaternion::getConjugate() const { // Return the inverse of the quaternion (inline) inline Quaternion Quaternion::getInverse() const { - decimal lengthQuaternion = length(); - lengthQuaternion = lengthQuaternion * lengthQuaternion; + decimal lengthSquareQuaternion = lengthSquare(); - assert (lengthQuaternion > MACHINE_EPSILON); + assert (lengthSquareQuaternion > MACHINE_EPSILON); // Compute and return the inverse quaternion - return Quaternion(-x / lengthQuaternion, -y / lengthQuaternion, - -z / lengthQuaternion, w / lengthQuaternion); + return Quaternion(-x / lengthSquareQuaternion, -y / lengthSquareQuaternion, + -z / lengthSquareQuaternion, w / lengthSquareQuaternion); } // Scalar product between two quaternions @@ -236,6 +278,24 @@ inline Quaternion Quaternion::operator-(const Quaternion& quaternion) const { return Quaternion(x - quaternion.x, y - quaternion.y, z - quaternion.z, w - quaternion.w); } +// Overloaded operator for addition with assignment +inline Quaternion& Quaternion::operator+=(const Quaternion& quaternion) { + x += quaternion.x; + y += quaternion.y; + z += quaternion.z; + w += quaternion.w; + return *this; +} + +// Overloaded operator for substraction with assignment +inline Quaternion& Quaternion::operator-=(const Quaternion& quaternion) { + x -= quaternion.x; + y -= quaternion.y; + z -= quaternion.z; + w -= quaternion.w; + return *this; +} + // Overloaded operator for the multiplication with a constant inline Quaternion Quaternion::operator*(decimal nb) const { return Quaternion(nb * x, nb * y, nb * z, nb * w); @@ -250,7 +310,7 @@ inline Quaternion Quaternion::operator*(const Quaternion& quaternion) const { // Overloaded operator for the multiplication with a vector. /// This methods rotates a point given the rotation of a quaternion. -inline Vector3 Quaternion::operator*(const Vector3& point) { +inline Vector3 Quaternion::operator*(const Vector3& point) const { Quaternion p(point.x, point.y, point.z, 0.0); return (((*this) * p) * getConjugate()).getVectorV(); } diff --git a/src/mathematics/Transform.h b/src/mathematics/Transform.h index 0ead2ec7..9f5e07e1 100644 --- a/src/mathematics/Transform.h +++ b/src/mathematics/Transform.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef TRANSFORM_H -#define TRANSFORM_H +#ifndef REACTPHYSICS3D_TRANSFORM_H +#define REACTPHYSICS3D_TRANSFORM_H // Libraries #include "Matrix3x3.h" @@ -92,7 +92,7 @@ class Transform { void getOpenGLMatrix(decimal* openglMatrix) const; /// Return the inverse of the transform - Transform inverse() const; + Transform getInverse() const; /// Return an interpolated transform static Transform interpolateTransforms(const Transform& oldTransform, @@ -167,7 +167,7 @@ inline void Transform::getOpenGLMatrix(decimal* openglMatrix) const { } // Return the inverse of the transform -inline Transform Transform::inverse() const { +inline Transform Transform::getInverse() const { const Quaternion& invQuaternion = mOrientation.getInverse(); Matrix3x3 invMatrix = invQuaternion.getMatrix(); return Transform(invMatrix * (-mPosition), invQuaternion); diff --git a/examples/fallingcubes/Box.cpp b/src/mathematics/Vector2.cpp similarity index 71% rename from examples/fallingcubes/Box.cpp rename to src/mathematics/Vector2.cpp index 6aa3a675..c7a2c9f1 100644 --- a/examples/fallingcubes/Box.cpp +++ b/src/mathematics/Vector2.cpp @@ -24,40 +24,48 @@ ********************************************************************************/ // Libraries -#include "Box.h" +#include "Vector2.h" +#include -// Use the ReactPhysics3D namespace +// Namespaces using namespace reactphysics3d; // Constructor -Box::Box(double size, RigidBody* rigidBody) { - mSize = size; - mRigidBody = rigidBody; +Vector2::Vector2() : x(0.0), y(0.0) { + +} + +// Constructor with arguments +Vector2::Vector2(decimal newX, decimal newY) : x(newX), y(newY) { + +} + +// Copy-constructor +Vector2::Vector2(const Vector2& vector) : x(vector.x), y(vector.y) { + } // Destructor -Box::~Box() { +Vector2::~Vector2() { } -// Draw the box -void Box::draw() const { +// Return the corresponding unit vector +Vector2 Vector2::getUnit() const { + decimal lengthVector = length(); - // Get the interpolated transform of the rigid body - Transform transform = mRigidBody->getInterpolatedTransform(); + assert(lengthVector > MACHINE_EPSILON); - // Get the corresponding OpenGL matrix - float openGLMatrix[16]; - transform.getOpenGLMatrix(openGLMatrix); - - glPushMatrix(); - - // Multiply by the OpenGL transform matrix - glMultMatrixf(openGLMatrix); - - // Draw the cube - glutSolidCube(mSize); - - glPopMatrix(); + // Compute and return the unit vector + decimal lengthInv = decimal(1.0) / lengthVector; + return Vector2(x * lengthInv, y * lengthInv); } +// Return one unit orthogonal vector of the current vector +Vector2 Vector2::getOneUnitOrthogonalVector() const { + + decimal l = length(); + assert(l > MACHINE_EPSILON); + + return Vector2(-y / l, x / l); +} diff --git a/src/mathematics/Vector2.h b/src/mathematics/Vector2.h new file mode 100644 index 00000000..6f1f518e --- /dev/null +++ b/src/mathematics/Vector2.h @@ -0,0 +1,296 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_VECTOR2_H +#define REACTPHYSICS3D_VECTOR2_H + +// Libraries +#include +#include +#include "mathematics_functions.h" +#include "../decimal.h" + + +/// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class Vector2 +/** + * This class represents a 2D vector. + */ +struct Vector2 { + + public: + + // -------------------- Attributes -------------------- // + + /// Component x + decimal x; + + /// Component y + decimal y; + + // -------------------- Methods -------------------- // + + /// Constructor of the class Vector3D + Vector2(); + + /// Constructor with arguments + Vector2(decimal newX, decimal newY); + + /// Copy-constructor + Vector2(const Vector2& vector); + + /// Destructor + ~Vector2(); + + /// Set all the values of the vector + void setAllValues(decimal newX, decimal newY); + + /// Set the vector to zero + void setToZero(); + + /// Return the length of the vector + decimal length() const; + + /// Return the square of the length of the vector + decimal lengthSquare() const; + + /// Return the corresponding unit vector + Vector2 getUnit() const; + + /// Return one unit orthogonal vector of the current vector + Vector2 getOneUnitOrthogonalVector() const; + + /// Return true if the vector is unit and false otherwise + bool isUnit() const; + + /// Return true if the current vector is the zero vector + bool isZero() const; + + /// Dot product of two vectors + decimal dot(const Vector2& vector) const; + + /// Normalize the vector + void normalize(); + + /// Return the corresponding absolute value vector + Vector2 getAbsoluteVector() const; + + /// Return the axis with the minimal value + int getMinAxis() const; + + /// Return the axis with the maximal value + int getMaxAxis() const; + + /// Overloaded operator for the equality condition + bool operator== (const Vector2& vector) const; + + /// Overloaded operator for the is different condition + bool operator!= (const Vector2& vector) const; + + /// Overloaded operator for addition with assignment + Vector2& operator+=(const Vector2& vector); + + /// Overloaded operator for substraction with assignment + Vector2& operator-=(const Vector2& vector); + + /// Overloaded operator for multiplication with a number with assignment + Vector2& operator*=(decimal number); + + /// Overloaded operator for division by a number with assignment + Vector2& operator/=(decimal number); + + /// Overloaded operator for value access + decimal& operator[] (int index); + + /// Overloaded operator for value access + const decimal& operator[] (int index) const; + + /// Overloaded operator + Vector2& operator=(const Vector2& vector); + + // -------------------- Friends -------------------- // + + friend Vector2 operator+(const Vector2& vector1, const Vector2& vector2); + friend Vector2 operator-(const Vector2& vector1, const Vector2& vector2); + friend Vector2 operator-(const Vector2& vector); + friend Vector2 operator*(const Vector2& vector, decimal number); + friend Vector2 operator*(decimal number, const Vector2& vector); + friend Vector2 operator/(const Vector2& vector, decimal number); +}; + +// Set the vector to zero +inline void Vector2::setToZero() { + x = 0; + y = 0; +} + +// Set all the values of the vector +inline void Vector2::setAllValues(decimal newX, decimal newY) { + x = newX; + y = newY; +} + +// Return the length of the vector +inline decimal Vector2::length() const { + return sqrt(x*x + y*y); +} + +// Return the square of the length of the vector +inline decimal Vector2::lengthSquare() const { + return x*x + y*y; +} + +// Scalar product of two vectors (inline) +inline decimal Vector2::dot(const Vector2& vector) const { + return (x*vector.x + y*vector.y); +} + +// Normalize the vector +inline void Vector2::normalize() { + decimal l = length(); + assert(l > std::numeric_limits::epsilon()); + x /= l; + y /= l; +} + +// Return the corresponding absolute value vector +inline Vector2 Vector2::getAbsoluteVector() const { + return Vector2(std::abs(x), std::abs(y)); +} + +// Return the axis with the minimal value +inline int Vector2::getMinAxis() const { + return (x < y ? 0 : 1); +} + +// Return the axis with the maximal value +inline int Vector2::getMaxAxis() const { + return (x < y ? 1 : 0); +} + +// Return true if the vector is unit and false otherwise +inline bool Vector2::isUnit() const { + return approxEqual(lengthSquare(), 1.0); +} + +// Return true if the vector is the zero vector +inline bool Vector2::isZero() const { + return approxEqual(lengthSquare(), 0.0); +} + +// Overloaded operator for the equality condition +inline bool Vector2::operator== (const Vector2& vector) const { + return (x == vector.x && y == vector.y); +} + +// Overloaded operator for the is different condition +inline bool Vector2::operator!= (const Vector2& vector) const { + return !(*this == vector); +} + +// Overloaded operator for addition with assignment +inline Vector2& Vector2::operator+=(const Vector2& vector) { + x += vector.x; + y += vector.y; + return *this; +} + +// Overloaded operator for substraction with assignment +inline Vector2& Vector2::operator-=(const Vector2& vector) { + x -= vector.x; + y -= vector.y; + return *this; +} + +// Overloaded operator for multiplication with a number with assignment +inline Vector2& Vector2::operator*=(decimal number) { + x *= number; + y *= number; + return *this; +} + +// Overloaded operator for division by a number with assignment +inline Vector2& Vector2::operator/=(decimal number) { + assert(number > std::numeric_limits::epsilon()); + x /= number; + y /= number; + return *this; +} + +// Overloaded operator for value access +inline decimal& Vector2::operator[] (int index) { + return (&x)[index]; +} + +// Overloaded operator for value access +inline const decimal& Vector2::operator[] (int index) const { + return (&x)[index]; +} + +// Overloaded operator for addition +inline Vector2 operator+(const Vector2& vector1, const Vector2& vector2) { + return Vector2(vector1.x + vector2.x, vector1.y + vector2.y); +} + +// Overloaded operator for substraction +inline Vector2 operator-(const Vector2& vector1, const Vector2& vector2) { + return Vector2(vector1.x - vector2.x, vector1.y - vector2.y); +} + +// Overloaded operator for the negative of a vector +inline Vector2 operator-(const Vector2& vector) { + return Vector2(-vector.x, -vector.y); +} + +// Overloaded operator for multiplication with a number +inline Vector2 operator*(const Vector2& vector, decimal number) { + return Vector2(number * vector.x, number * vector.y); +} + +// Overloaded operator for division by a number +inline Vector2 operator/(const Vector2& vector, decimal number) { + assert(number > MACHINE_EPSILON); + return Vector2(vector.x / number, vector.y / number); +} + +// Overloaded operator for multiplication with a number +inline Vector2 operator*(decimal number, const Vector2& vector) { + return vector * number; +} + +// Assignment operator +inline Vector2& Vector2::operator=(const Vector2& vector) { + if (&vector != this) { + x = vector.x; + y = vector.y; + } + return *this; +} + +} + +#endif diff --git a/src/mathematics/Vector3.h b/src/mathematics/Vector3.h index 275c861e..24385fb1 100644 --- a/src/mathematics/Vector3.h +++ b/src/mathematics/Vector3.h @@ -23,8 +23,8 @@ * * ********************************************************************************/ -#ifndef VECTOR3_H -#define VECTOR3_H +#ifndef REACTPHYSICS3D_VECTOR3_H +#define REACTPHYSICS3D_VECTOR3_H // Libraries #include @@ -111,9 +111,6 @@ struct Vector3 { /// Return the axis with the maximal value int getMaxAxis() const; - /// Return true if two vectors are parallel - bool isParallelWith(const Vector3& vector) const; - /// Overloaded operator for the equality condition bool operator== (const Vector3& vector) const; diff --git a/src/mathematics/mathematics.h b/src/mathematics/mathematics.h index 371cfdea..3697634f 100644 --- a/src/mathematics/mathematics.h +++ b/src/mathematics/mathematics.h @@ -23,13 +23,15 @@ * * ********************************************************************************/ -#ifndef MATHEMATICS_H -#define MATHEMATICS_H +#ifndef REACTPHYSICS3D_MATHEMATICS_H +#define REACTPHYSICS3D_MATHEMATICS_H // Libraries #include "Matrix3x3.h" +#include "Matrix2x2.h" #include "Quaternion.h" #include "Vector3.h" +#include "Vector2.h" #include "Transform.h" #include "../configuration.h" #include "mathematics_functions.h" diff --git a/src/mathematics/mathematics_functions.h b/src/mathematics/mathematics_functions.h index e529fa8a..6ac380d8 100644 --- a/src/mathematics/mathematics_functions.h +++ b/src/mathematics/mathematics_functions.h @@ -23,12 +23,13 @@ * * ********************************************************************************/ -#ifndef MATHEMATICS_FUNCTIONS_H -#define MATHEMATICS_FUNCTIONS_H +#ifndef REACTPHYSICS3D_MATHEMATICS_FUNCTIONS_H +#define REACTPHYSICS3D_MATHEMATICS_FUNCTIONS_H // Libraries #include "../configuration.h" #include "../decimal.h" +#include /// ReactPhysics3D namespace namespace reactphysics3d { @@ -43,6 +44,13 @@ inline bool approxEqual(decimal a, decimal b, decimal epsilon = MACHINE_EPSILON) return (difference < epsilon && difference > -epsilon); } +/// Function that returns the result of the "value" clamped by +/// two others values "lowerLimit" and "upperLimit" +inline decimal clamp(decimal value, decimal lowerLimit, decimal upperLimit) { + assert(lowerLimit <= upperLimit); + return std::min(std::max(value, lowerLimit), upperLimit); +} + } diff --git a/src/memory/MemoryAllocator.cpp b/src/memory/MemoryAllocator.cpp new file mode 100644 index 00000000..ec074042 --- /dev/null +++ b/src/memory/MemoryAllocator.cpp @@ -0,0 +1,193 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +// Libraries +#include "MemoryAllocator.h" +#include +#include + +using namespace reactphysics3d; + +// Initialization of static variables +bool MemoryAllocator::isMapSizeToHeadIndexInitialized = false; +size_t MemoryAllocator::mUnitSizes[NB_HEAPS]; +int MemoryAllocator::mMapSizeToHeapIndex[MAX_UNIT_SIZE + 1]; + +// Constructor +MemoryAllocator::MemoryAllocator() { + + // Allocate some memory to manage the blocks + mNbAllocatedMemoryBlocks = 64; + mNbCurrentMemoryBlocks = 0; + const size_t sizeToAllocate = mNbAllocatedMemoryBlocks * sizeof(MemoryBlock); + mMemoryBlocks = (MemoryBlock*) malloc(sizeToAllocate); + memset(mMemoryBlocks, NULL, sizeToAllocate); + memset(mFreeMemoryUnits, NULL, sizeof(mFreeMemoryUnits)); + +#ifndef NDEBUG + mNbTimesAllocateMethodCalled = 0; +#endif + + // If the mMapSizeToHeapIndex has not been initialized yet + if (!isMapSizeToHeadIndexInitialized) { + + // Initialize the array that contains the sizes the memory units that will + // be allocated in each different heap + for (uint i=0; i < NB_HEAPS; i++) { + mUnitSizes[i] = (i+1) * 8; + } + + // Initialize the lookup table that maps the size to allocated to the + // corresponding heap we will use for the allocation + uint j = 0; + mMapSizeToHeapIndex[0] = -1; // This element should not be used + for (uint i=1; i <= MAX_UNIT_SIZE; i++) { + if (i <= mUnitSizes[j]) { + mMapSizeToHeapIndex[i] = j; + } + else { + j++; + mMapSizeToHeapIndex[i] = j; + } + } + + isMapSizeToHeadIndexInitialized = true; + } +} + +// Destructor +MemoryAllocator::~MemoryAllocator() { + + // Release the memory allocated for each block + for (uint i=0; i MAX_UNIT_SIZE) { + + // Allocate memory using standard malloc() function + return malloc(size); + } + + // Get the index of the heap that will take care of the allocation request + int indexHeap = mMapSizeToHeapIndex[size]; + assert(indexHeap >= 0 && indexHeap < NB_HEAPS); + + // If there still are free memory units in the corresponding heap + if (mFreeMemoryUnits[indexHeap] != NULL) { + + // Return a pointer to the memory unit + MemoryUnit* unit = mFreeMemoryUnits[indexHeap]; + mFreeMemoryUnits[indexHeap] = unit->nextUnit; + return unit; + } + else { // If there is no more free memory units in the corresponding heap + + // If we need to allocate more memory to containsthe blocks + if (mNbCurrentMemoryBlocks == mNbAllocatedMemoryBlocks) { + + // Allocate more memory to contain the blocks + MemoryBlock* currentMemoryBlocks = mMemoryBlocks; + mNbAllocatedMemoryBlocks += 64; + mMemoryBlocks = (MemoryBlock*) malloc(mNbAllocatedMemoryBlocks * sizeof(MemoryBlock)); + memcpy(mMemoryBlocks, currentMemoryBlocks,mNbCurrentMemoryBlocks * sizeof(MemoryBlock)); + memset(mMemoryBlocks + mNbCurrentMemoryBlocks, 0, 64 * sizeof(MemoryBlock)); + free(currentMemoryBlocks); + } + + // Allocate a new memory blocks for the corresponding heap and divide it in many + // memory units + MemoryBlock* newBlock = mMemoryBlocks + mNbCurrentMemoryBlocks; + newBlock->memoryUnits = (MemoryUnit*) malloc(BLOCK_SIZE); + assert(newBlock->memoryUnits != NULL); + size_t unitSize = mUnitSizes[indexHeap]; + uint nbUnits = BLOCK_SIZE / unitSize; + assert(nbUnits * unitSize <= BLOCK_SIZE); + for (size_t i=0; i < nbUnits - 1; i++) { + MemoryUnit* unit = (MemoryUnit*) ((size_t)newBlock->memoryUnits + unitSize * i); + MemoryUnit* nextUnit = (MemoryUnit*) ((size_t)newBlock->memoryUnits + unitSize * (i+1)); + unit->nextUnit = nextUnit; + } + MemoryUnit* lastUnit = (MemoryUnit*) ((size_t)newBlock->memoryUnits + unitSize*(nbUnits-1)); + lastUnit->nextUnit = NULL; + + // Add the new allocated block into the list of free memory units in the heap + mFreeMemoryUnits[indexHeap] = newBlock->memoryUnits->nextUnit; + mNbCurrentMemoryBlocks++; + + // Return the pointer to the first memory unit of the new allocated block + return newBlock->memoryUnits; + } +} + +// Release previously allocated memory. +void MemoryAllocator::release(void* pointer, size_t size) { + + // Cannot release a 0-byte allocated memory + if (size == 0) return; + +#ifndef NDEBUG + mNbTimesAllocateMethodCalled--; +#endif + + // If the size is larger than the maximum memory unit size + if (size > MAX_UNIT_SIZE) { + + // Release the memory using the standard free() function + free(pointer); + return; + } + + // Get the index of the heap that has handled the corresponding allocation request + int indexHeap = mMapSizeToHeapIndex[size]; + assert(indexHeap >= 0 && indexHeap < NB_HEAPS); + + // Insert the released memory unit into the list of free memory units of the + // corresponding heap + MemoryUnit* releasedUnit = (MemoryUnit*) pointer; + releasedUnit->nextUnit = mFreeMemoryUnits[indexHeap]; + mFreeMemoryUnits[indexHeap] = releasedUnit; +} diff --git a/src/memory/MemoryAllocator.h b/src/memory/MemoryAllocator.h new file mode 100644 index 00000000..23365949 --- /dev/null +++ b/src/memory/MemoryAllocator.h @@ -0,0 +1,145 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef REACTPHYSICS3D_MEMORY_ALLOCATOR_H +#define REACTPHYSICS3D_MEMORY_ALLOCATOR_H + +// Libraries +#include +#include "../configuration.h" + +/// ReactPhysics3D namespace +namespace reactphysics3d { + +// Class MemoryAllocator +/** + * This class is used to efficiently allocate memory on the heap. + * It allows us to allocate small blocks of memory (smaller or equal to 1024 bytes) + * efficiently. This implementation is inspired by the small block allocator + * described here : http://www.codeproject.com/useritems/Small_Block_Allocator.asp + */ +class MemoryAllocator { + + private : + + // -------------------- Internal Classes -------------------- // + + // Structure MemoryUnit + /** + * Represent a memory unit that is used for a single memory allocation + * request. + */ + struct MemoryUnit { + + public : + + // -------------------- Attributes -------------------- // + + /// Pointer to the next memory unit inside a memory block + MemoryUnit* nextUnit; + + }; + + // Structure MemoryBlock + /** + * A memory block is a large piece of memory that is allocated once and that + * will contain multiple memory unity. + */ + struct MemoryBlock { + + public : + + /// Pointer to the first element of a linked-list of memory unity. + MemoryUnit* memoryUnits; + }; + + // -------------------- Constants -------------------- // + + /// Number of heaps + static const uint NB_HEAPS = 128; + + /// Maximum memory unit size. An allocation request of a size smaller or equal to + /// this size will be handled using the small block allocator. However, for an + /// allocation request larger than the maximum block size, the standard malloc() + /// will be used. + static const size_t MAX_UNIT_SIZE = 1024; + + /// Size a memory chunk + static const size_t BLOCK_SIZE = 16 * MAX_UNIT_SIZE; + + // -------------------- Attributes -------------------- // + + /// Size of the memory units that each heap is responsible to allocate + static size_t mUnitSizes[NB_HEAPS]; + + /// Lookup table that mape size to allocate to the index of the + /// corresponding heap we will use for the allocation. + static int mMapSizeToHeapIndex[MAX_UNIT_SIZE + 1]; + + /// True if the mMapSizeToHeapIndex array has already been initialized + static bool isMapSizeToHeadIndexInitialized; + + /// Pointers to the first free memory unit for each heap + MemoryUnit* mFreeMemoryUnits[NB_HEAPS]; + + /// All the allocated memory blocks + MemoryBlock* mMemoryBlocks; + + /// Number of allocated memory blocks + uint mNbAllocatedMemoryBlocks; + + /// Current number of used memory blocks + uint mNbCurrentMemoryBlocks; + +#ifndef NDEBUG + /// This variable is incremented by one when the allocate() method has been + /// called and decreased by one when the release() method has been called. + /// This variable is used in debug mode to check that the allocate() and release() + /// methods are called the same number of times + int mNbTimesAllocateMethodCalled; +#endif + + public : + + // -------------------- Methods -------------------- // + + /// Constructor + MemoryAllocator(); + + /// Destructor + ~MemoryAllocator(); + + /// Allocate memory of a given size (in bytes) and return a pointer to the + /// allocated memory. + void* allocate(size_t size); + + /// Release previously allocated memory. + void release(void* pointer, size_t size); + +}; + +} + +#endif diff --git a/src/memory/MemoryPool.h b/src/memory/MemoryPool.h deleted file mode 100644 index 1a0ff546..00000000 --- a/src/memory/MemoryPool.h +++ /dev/null @@ -1,283 +0,0 @@ -/******************************************************************************** -* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * -* Copyright (c) 2010-2013 Daniel Chappuis * -********************************************************************************* -* * -* This software is provided 'as-is', without any express or implied warranty. * -* In no event will the authors be held liable for any damages arising from the * -* use of this software. * -* * -* Permission is granted to anyone to use this software for any purpose, * -* including commercial applications, and to alter it and redistribute it * -* freely, subject to the following restrictions: * -* * -* 1. The origin of this software must not be misrepresented; you must not claim * -* that you wrote the original software. If you use this software in a * -* product, an acknowledgment in the product documentation would be * -* appreciated but is not required. * -* * -* 2. Altered source versions must be plainly marked as such, and must not be * -* misrepresented as being the original software. * -* * -* 3. This notice may not be removed or altered from any source distribution. * -* * -********************************************************************************/ - -#ifndef MEMORY_POOL_H -#define MEMORY_POOL_H - -// Libraries -#include "../configuration.h" -#include -#include -#include -#include - -// TODO : Check that casting is done correctly in this class using -// C++ cast operator like reinterpret_cast<>, ... - - -/// ReactPhysics3D namespace -namespace reactphysics3d { - -// Class MemoryPool -/** - * This class represents a memory pool. This memory pool allows us to allocate - * dynamic memory at the beginning of the application in order to - * avoid memory fragmentation and also a large number of allocation - * and deallocation. - */ -template -class MemoryPool { - - private: - - /// MemoryUnit represents a unit of memory - struct MemoryUnit { - struct MemoryUnit* pNext; // Pointer to the next memory unit - struct MemoryUnit* pPrevious; // Pointer to the previous memory unit - }; - - /// Memory block (that contains several memory units) - struct MemoryBlock { - struct MemoryBlock* pNext; // Pointer to the next memory block - }; - - // -------------------- Constants -------------------- // - - // Number of objects allocated in the first block - static const uint NB_OBJECTS_FIRST_BLOCK; - - // -------------------- Attributes -------------------- // - - /// Pointer to the first allocated memory block - void* mPBlocks; - - /// Pointer to the first allocated memory unit - MemoryUnit* mPAllocatedUnits; - - /// Pointer to the first free memory unit - MemoryUnit* mPFreeUnits; - - /// Current number of objects in the pool - uint mCurrentNbObjects; - - /// Current maximum number of objects that can be allocated in the pool - uint mCapacity; - - /// Number of objects to allocate in the next block - uint mNbObjectsNextBlock; - - // -------------------- Methods -------------------- // - - /// Private copy-constructor - MemoryPool(const MemoryPool& body); - - /// Private assignment operator - MemoryPool& operator=(const MemoryPool& timer); - - /// Allocate more memory (more blocks) when needed - void allocateMemory(); - - public: - - // -------------------- Methods -------------------- // - - /// Constructor - MemoryPool(uint capacity = 0) throw(std::bad_alloc); - - /// Destructor - ~MemoryPool(); - - /// Return the current maximum number of objects allowed in the pool - uint getCapacity() const; - - /// Return the current number of objects in the pool - uint getCurrentNbObjects() const; - - /// Return a pointer to an memory allocated location to store a new object - void* allocateObject(); - - /// Tell the pool that an object doesn't need to be store in the pool anymore - void freeObject(void* pObjectToFree); -}; - -// static member definition -template const uint MemoryPool::NB_OBJECTS_FIRST_BLOCK = 100; - -// Constructor -/// Allocate a large block of memory in order to contain -/// a given number of object of the template type T -template -MemoryPool::MemoryPool(uint capacity) throw(std::bad_alloc) - : mCurrentNbObjects(0), mCapacity(capacity) { - mPBlocks = NULL; - mPAllocatedUnits = NULL; - mPFreeUnits = NULL; - mNbObjectsNextBlock = (capacity == 0) ? NB_OBJECTS_FIRST_BLOCK : capacity; - - // Allocate the first memory block if the capacity is - // different from zero - if (capacity) allocateMemory(); -} - -// Destructor -/// Deallocate the blocks of memory that have been allocated previously -template -MemoryPool::~MemoryPool() { - - // Check if we have a memory leak - assert(mCurrentNbObjects == 0); - - // Release all the allocated memory blocks - MemoryBlock* currentBlock = (MemoryBlock*) mPBlocks; - while(currentBlock) { - MemoryBlock* tempBlock = currentBlock->pNext; - free(currentBlock); - currentBlock = tempBlock; - } -} - -// Return a pointer to a memory allocated location to store a new object. -/// This method only allocates memory if needed and it returns a pointer -/// to a location in an allocated block of memory where a new object can be stored -template -void* MemoryPool::allocateObject() { - - // If there is not enough allocated memory in the pool - if (mCurrentNbObjects == mCapacity) { - - // Allocate a new memory block - allocateMemory(); - } - - assert(mCurrentNbObjects < mCapacity); - assert(mPFreeUnits != NULL); - - MemoryUnit* currentUnit = mPFreeUnits; - mPFreeUnits = currentUnit->pNext; - if (mPFreeUnits) { - mPFreeUnits->pPrevious = NULL; - } - - currentUnit->pNext = mPAllocatedUnits; - if (mPAllocatedUnits) { - mPAllocatedUnits->pPrevious = currentUnit; - } - mPAllocatedUnits = currentUnit; - - mCurrentNbObjects++; - - // Return a pointer to the allocated memory unit - return (void*)((char*)currentUnit + sizeof(MemoryUnit)); -} - -// Tell the pool that an object does not need to be stored in the pool anymore -/// This method does not deallocate memory because it will be done only at the -/// end but it notifies the memory pool that an object that was stored in the pool -/// does not need to be stored anymore and therefore we can use the corresponding -/// location in the pool for another object -template -void MemoryPool::freeObject(void* pObjectToFree) { - - // The pointer location must be inside the memory block - //assert(pBlockspNext; - if (mPAllocatedUnits) { - mPAllocatedUnits->pPrevious = NULL; - } - - currentUnit->pNext = mPFreeUnits; - if (mPFreeUnits) { - mPFreeUnits->pPrevious = currentUnit; - } - mPFreeUnits = currentUnit; - - mCurrentNbObjects--; -} - -// Allocate more memory (more blocks) when needed -/// This method is called when there are no -/// free memory units available anymore. Therefore, we need to allocate -/// a new memory block in order to be able to store several new memory units. -template -void MemoryPool::allocateMemory() { - - // Compute the size of the new - size_t sizeBlock = mNbObjectsNextBlock * (sizeof(MemoryUnit) + sizeof(T)); - - MemoryBlock* tempBlocks = (MemoryBlock*) mPBlocks; - - // Allocate a new memory block - mPBlocks = malloc(sizeBlock); - - // Check that the allocation did not fail - if (mPBlocks == NULL) throw std::bad_alloc(); - - MemoryBlock* block = (MemoryBlock*) mPBlocks; - block->pNext = tempBlocks; - - // For each allocated memory unit in the new block - for (uint i=0; ipPrevious = NULL; - currentUnit->pNext = mPFreeUnits; - - if (mPFreeUnits) { - mPFreeUnits->pPrevious = currentUnit; - } - - mPFreeUnits = currentUnit; - } - - // Update the current capacity of the memory pool - mCapacity += mNbObjectsNextBlock; - - // The next block will be two times the size of the last - // allocated memory block - mNbObjectsNextBlock *= 2; -} - - -// Return the maximum number of objects allowed in the pool -template -uint MemoryPool::getCapacity() const { - return mCapacity; -} - -// Return the current number of objects in the pool -template -uint MemoryPool::getCurrentNbObjects() const { - return mCurrentNbObjects; -} - -} - -#endif - diff --git a/src/reactphysics3d.h b/src/reactphysics3d.h index 09331956..4724eab0 100644 --- a/src/reactphysics3d.h +++ b/src/reactphysics3d.h @@ -26,7 +26,7 @@ /******************************************************************************** * ReactPhysics3D * -* Version 0.3.0 * +* Version 0.4.0 * * http://code.google.com/p/reactphysics3d/ * * Daniel Chappuis * ********************************************************************************/ @@ -41,12 +41,20 @@ #include "body/RigidBody.h" #include "engine/DynamicsWorld.h" #include "engine/CollisionWorld.h" +#include "engine/Material.h" +#include "engine/EventListener.h" #include "collision/shapes/CollisionShape.h" #include "collision/shapes/BoxShape.h" #include "collision/shapes/SphereShape.h" #include "collision/shapes/ConeShape.h" #include "collision/shapes/CylinderShape.h" +#include "collision/shapes/CapsuleShape.h" +#include "collision/shapes/ConvexMeshShape.h" #include "collision/shapes/AABB.h" +#include "constraint/BallAndSocketJoint.h" +#include "constraint/SliderJoint.h" +#include "constraint/HingeJoint.h" +#include "constraint/FixedJoint.h" /// Alias to the ReactPhysics3D namespace namespace rp3d = reactphysics3d; diff --git a/test/main.cpp b/test/main.cpp index 11139b6f..76c2048c 100644 --- a/test/main.cpp +++ b/test/main.cpp @@ -25,9 +25,11 @@ // Libraries #include "TestSuite.h" +#include "tests/mathematics/TestVector2.h" #include "tests/mathematics/TestVector3.h" #include "tests/mathematics/TestTransform.h" #include "tests/mathematics/TestQuaternion.h" +#include "tests/mathematics/TestMatrix2x2.h" #include "tests/mathematics/TestMatrix3x3.h" using namespace reactphysics3d; @@ -38,10 +40,12 @@ int main() { // ---------- Mathematics tests ---------- // + testSuite.addTest(new TestVector2); testSuite.addTest(new TestVector3); testSuite.addTest(new TestTransform); testSuite.addTest(new TestQuaternion); testSuite.addTest(new TestMatrix3x3); + testSuite.addTest(new TestMatrix2x2); // ----------------------------- --------- // diff --git a/test/tests/mathematics/TestMatrix2x2.h b/test/tests/mathematics/TestMatrix2x2.h new file mode 100644 index 00000000..f9144cc9 --- /dev/null +++ b/test/tests/mathematics/TestMatrix2x2.h @@ -0,0 +1,239 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef TEST_MATRIX2X2_H +#define TEST_MATRIX2X2_H + +// Libraries +#include "../../Test.h" +#include "../../../src/mathematics/Matrix2x2.h" + +/// Reactphysics3D namespace +namespace reactphysics3d { + +// Class TestMatrix2x2 +/** + * Unit test for the Matrix2x2 class + */ +class TestMatrix2x2 : public Test { + + private : + + // ---------- Atributes ---------- // + + /// Identity transform + Matrix2x2 mIdentity; + + /// First example matrix + Matrix2x2 mMatrix1; + + public : + + // ---------- Methods ---------- // + + /// Constructor + TestMatrix2x2() : mIdentity(Matrix2x2::identity()), + mMatrix1(2, 24, -4, 5) { + + } + + /// Run the tests + void run() { + testConstructors(); + testGetSet(); + testIdentity(); + testOthersMethods(); + testOperators(); + } + + /// Test the constructors + void testConstructors() { + + Matrix2x2 test1(5.0); + Matrix2x2 test2(2, 3, 4, 5); + Matrix2x2 test3(mMatrix1); + + test(test1[0][0] == 5); + test(test1[0][1] == 5); + test(test1[1][0] == 5); + test(test1[1][1] == 5); + + test(test2[0][0] == 2); + test(test2[0][1] == 3); + test(test2[1][0] == 4); + test(test2[1][1] == 5); + + test(test3 == mMatrix1); + } + + /// Test the getter and setter methods + void testGetSet() { + + // Test method to set all the values + Matrix2x2 test2; + test2.setAllValues(2, 24, -4, 5); + test(test2 == mMatrix1); + + // Test method to set to zero + test2.setToZero(); + test(test2 == Matrix2x2(0, 0, 0, 0)); + + // Test method that returns a column + Vector2 column1 = mMatrix1.getColumn(0); + Vector2 column2 = mMatrix1.getColumn(1); + test(column1 == Vector2(2, -4)); + test(column2 == Vector2(24, 5)); + + // Test method that returns a row + Vector2 row1 = mMatrix1.getRow(0); + Vector2 row2 = mMatrix1.getRow(1); + test(row1 == Vector2(2, 24)); + test(row2 == Vector2(-4, 5)); + } + + /// Test the identity methods + void testIdentity() { + + Matrix2x2 identity = Matrix2x2::identity(); + Matrix2x2 test1; + test1.setToIdentity(); + + test(identity[0][0] == 1); + test(identity[0][1] == 0); + test(identity[1][0] == 0); + test(identity[1][1] == 1); + + test(test1 == Matrix2x2::identity()); + } + + /// Test others methods + void testOthersMethods() { + + // Test transpose + Matrix2x2 transpose = mMatrix1.getTranspose(); + test(transpose == Matrix2x2(2, -4, 24, 5)); + + // Test trace + test(mMatrix1.getTrace() ==7); + test(Matrix2x2::identity().getTrace() == 2); + + // Test determinant + Matrix2x2 matrix(-24, 64, 253, -35); + test(mMatrix1.getDeterminant() == 106); + test(matrix.getDeterminant() == -15352); + test(mIdentity.getDeterminant() == 1); + + // Test inverse + Matrix2x2 matrix2(1, 2, 3, 4); + Matrix2x2 inverseMatrix = matrix2.getInverse(); + test(approxEqual(inverseMatrix[0][0], decimal(-2), decimal(10e-6))); + test(approxEqual(inverseMatrix[0][1], decimal(1), decimal(10e-6))); + test(approxEqual(inverseMatrix[1][0], decimal(1.5), decimal(10e-6))); + test(approxEqual(inverseMatrix[1][1], decimal(-0.5), decimal(10e-6))); + Matrix2x2 inverseMatrix1 = mMatrix1.getInverse(); + test(approxEqual(inverseMatrix1[0][0], decimal(0.047169811), decimal(10e-6))); + test(approxEqual(inverseMatrix1[0][1], decimal(-0.226415094), decimal(10e-6))); + test(approxEqual(inverseMatrix1[1][0], decimal(0.037735849), decimal(10e-6))); + test(approxEqual(inverseMatrix1[1][1], decimal(0.018867925), decimal(10e-6))); + + // Test absolute matrix + Matrix2x2 matrix3(-2, -3, -4, -5); + test(matrix.getAbsoluteMatrix() == Matrix2x2(24, 64, 253, 35)); + Matrix2x2 absoluteMatrix = matrix3.getAbsoluteMatrix(); + test(absoluteMatrix == Matrix2x2(2, 3, 4, 5)); + } + + /// Test the operators + void testOperators() { + + // Test addition + Matrix2x2 matrix1(2, 3, 4, 5); + Matrix2x2 matrix2(-2, 3, -5, 10); + Matrix2x2 addition1 = matrix1 + matrix2; + Matrix2x2 addition2(matrix1); + addition2 += matrix2; + test(addition1 == Matrix2x2(0, 6, -1, 15)); + test(addition2 == Matrix2x2(0, 6, -1, 15)); + + // Test substraction + Matrix2x2 substraction1 = matrix1 - matrix2; + Matrix2x2 substraction2(matrix1); + substraction2 -= matrix2; + test(substraction1 == Matrix2x2(4, 0, 9, -5)); + test(substraction2 == Matrix2x2(4, 0, 9, -5)); + + // Test negative operator + Matrix2x2 negative = -matrix1; + test(negative == Matrix2x2(-2, -3, -4, -5)); + + // Test multiplication with a number + Matrix2x2 multiplication1 = 3 * matrix1; + Matrix2x2 multiplication2 = matrix1 * 3; + Matrix2x2 multiplication3(matrix1); + multiplication3 *= 3; + test(multiplication1 == Matrix2x2(6, 9, 12, 15)); + test(multiplication2 == Matrix2x2(6, 9, 12, 15)); + test(multiplication3 == Matrix2x2(6, 9, 12, 15)); + + // Test multiplication with a matrix + Matrix2x2 multiplication4 = matrix1 * matrix2; + Matrix2x2 multiplication5 = matrix2 * matrix1; + test(multiplication4 == Matrix2x2(-19, 36, -33, 62)); + test(multiplication5 == Matrix2x2(8, 9, 30, 35)); + + // Test multiplication with a vector + Vector2 vector1(3, -32); + Vector2 vector2(-31, -422); + Vector2 test1 = matrix1 * vector1; + Vector2 test2 = matrix2 * vector2; + test(test1 == Vector2(-90, -148)); + test(test2 == Vector2(-1204, -4065)); + + // Test equality operators + test(Matrix2x2(34, 38, 43, 64) == + Matrix2x2(34, 38, 43, 64)); + test(Matrix2x2(34, 64, 43, 7) != + Matrix2x2(34, 38, 43, 64)); + + // Test operator to read a value + test(mMatrix1[0][0] == 2); + test(mMatrix1[0][1] == 24); + test(mMatrix1[1][0] == -4); + test(mMatrix1[1][1] == 5); + + // Test operator to set a value + Matrix2x2 test3; + test3[0][0] = 2; + test3[0][1] = 24; + test3[1][0] = -4; + test3[1][1] = 5; + test(test3 == mMatrix1); + } + + }; + +} + +#endif diff --git a/test/tests/mathematics/TestMatrix3x3.h b/test/tests/mathematics/TestMatrix3x3.h index ccdda9a9..78ae43aa 100644 --- a/test/tests/mathematics/TestMatrix3x3.h +++ b/test/tests/mathematics/TestMatrix3x3.h @@ -1,4 +1,3 @@ - /******************************************************************************** * ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * * Copyright (c) 2010-2013 Daniel Chappuis * @@ -27,14 +26,10 @@ #ifndef TEST_MATRIX3X3_H #define TEST_MATRIX3X3_H -#endif - // Libraries #include "../../Test.h" #include "../../../src/mathematics/Matrix3x3.h" -using namespace reactphysics3d; - /// Reactphysics3D namespace namespace reactphysics3d { @@ -196,6 +191,15 @@ class TestMatrix3x3 : public Test { test(matrix.getAbsoluteMatrix() == Matrix3x3(24, 64, 253, 35, 52, 72, 21, 35, 363)); Matrix3x3 absoluteMatrix = matrix2.getAbsoluteMatrix(); test(absoluteMatrix == Matrix3x3(2, 3, 4, 5, 6, 7, 8, 9, 10)); + + // Test method that computes skew-symmetric matrix for cross product + Vector3 vector1(3, -5, 6); + Vector3 vector2(73, 42, 26); + Matrix3x3 skewMatrix = Matrix3x3::computeSkewSymmetricMatrixForCrossProduct(vector1); + test(skewMatrix == Matrix3x3(0, -6, -5, 6, 0, -3, 5, 3, 0)); + Vector3 crossProduct1 = vector1.cross(vector2); + Vector3 crossProduct2 = skewMatrix * vector2; + test(crossProduct1 == crossProduct2); } /// Test the operators @@ -278,3 +282,5 @@ class TestMatrix3x3 : public Test { }; } + +#endif diff --git a/test/tests/mathematics/TestQuaternion.h b/test/tests/mathematics/TestQuaternion.h index 9007f9b4..a7f3d324 100644 --- a/test/tests/mathematics/TestQuaternion.h +++ b/test/tests/mathematics/TestQuaternion.h @@ -27,14 +27,10 @@ #ifndef TEST_QUATERNION_H #define TEST_QUATERNION_H -#endif - // Libraries #include "../../Test.h" #include "../../../src/mathematics/Quaternion.h" -using namespace reactphysics3d; - /// Reactphysics3D namespace namespace reactphysics3d { @@ -124,6 +120,12 @@ class TestQuaternion : public Test { quaternion.setToZero(); test(quaternion == Quaternion(0, 0, 0, 0)); + // Tes the methods to get or set to identity + Quaternion identity1(1, 2, 3, 4); + identity1.setToIdentity(); + test(identity1 == Quaternion(0, 0, 0, 1)); + test(Quaternion::identity() == Quaternion(0, 0, 0, 1)); + // Test the method to get the vector (x, y, z) Vector3 v = mQuaternion1.getVectorV(); test(v.x == mQuaternion1.x); @@ -137,9 +139,12 @@ class TestQuaternion : public Test { test(conjugate.z == -mQuaternion1.z); test(conjugate.w == mQuaternion1.w); - // Test the inverse method - Quaternion inverse = mQuaternion1.getInverse(); - Quaternion product = mQuaternion1 * inverse; + // Test the inverse methods + Quaternion inverse1 = mQuaternion1.getInverse(); + Quaternion inverse2(mQuaternion1); + inverse2.inverse(); + test(inverse2 == inverse1); + Quaternion product = mQuaternion1 * inverse1; test(approxEqual(product.x, mIdentity.x, decimal(10e-6))); test(approxEqual(product.y, mIdentity.y, decimal(10e-6))); test(approxEqual(product.z, mIdentity.z, decimal(10e-6))); @@ -192,11 +197,17 @@ class TestQuaternion : public Test { Quaternion quat1(4, 5, 2, 10); Quaternion quat2(-2, 7, 8, 3); Quaternion test1 = quat1 + quat2; + Quaternion test11(-6, 52, 2, 8); + test11 += quat1; test(test1 == Quaternion(2, 12, 10, 13)); + test(test11 == Quaternion(-2, 57, 4, 18)); // Test substraction Quaternion test2 = quat1 - quat2; + Quaternion test22(-73, 62, 25, 9); + test22 -= quat1; test(test2 == Quaternion(6, -2, -6, 7)); + test(test22 == Quaternion(-77, 57, 23, -1)); // Test multiplication with a number Quaternion test3 = quat1 * 3.0; @@ -229,3 +240,5 @@ class TestQuaternion : public Test { }; } + +#endif diff --git a/test/tests/mathematics/TestTransform.h b/test/tests/mathematics/TestTransform.h index 4c700a0d..2d24aaa8 100644 --- a/test/tests/mathematics/TestTransform.h +++ b/test/tests/mathematics/TestTransform.h @@ -27,14 +27,10 @@ #ifndef TEST_TRANSFORM_H #define TEST_TRANSFORM_H -#endif - // Libraries #include "../../Test.h" #include "../../../src/mathematics/Transform.h" -using namespace reactphysics3d; - /// Reactphysics3D namespace namespace reactphysics3d { @@ -114,7 +110,7 @@ class TestTransform : public Test { /// Test the inverse void testInverse() { - Transform inverseTransform = mTransform1.inverse(); + Transform inverseTransform = mTransform1.getInverse(); Vector3 vector(2, 3, 4); Vector3 tempVector = mTransform1 * vector; Vector3 tempVector2 = inverseTransform * tempVector; @@ -216,3 +212,5 @@ class TestTransform : public Test { }; } + +#endif diff --git a/test/tests/mathematics/TestVector2.h b/test/tests/mathematics/TestVector2.h new file mode 100644 index 00000000..f001fa0a --- /dev/null +++ b/test/tests/mathematics/TestVector2.h @@ -0,0 +1,208 @@ +/******************************************************************************** +* ReactPhysics3D physics library, http://code.google.com/p/reactphysics3d/ * +* Copyright (c) 2010-2013 Daniel Chappuis * +********************************************************************************* +* * +* This software is provided 'as-is', without any express or implied warranty. * +* In no event will the authors be held liable for any damages arising from the * +* use of this software. * +* * +* Permission is granted to anyone to use this software for any purpose, * +* including commercial applications, and to alter it and redistribute it * +* freely, subject to the following restrictions: * +* * +* 1. The origin of this software must not be misrepresented; you must not claim * +* that you wrote the original software. If you use this software in a * +* product, an acknowledgment in the product documentation would be * +* appreciated but is not required. * +* * +* 2. Altered source versions must be plainly marked as such, and must not be * +* misrepresented as being the original software. * +* * +* 3. This notice may not be removed or altered from any source distribution. * +* * +********************************************************************************/ + +#ifndef TEST_VECTOR2_H +#define TEST_VECTOR2_H + +// Libraries +#include "../../Test.h" +#include "../../../src/mathematics/Vector2.h" + +/// Reactphysics3D namespace +namespace reactphysics3d { + +// Class TestVector2 +/** + * Unit test for the Vector2 class + */ +class TestVector2 : public Test { + + private : + + // ---------- Atributes ---------- // + + /// Zero vector + Vector2 mVectorZero; + + // Vector (3, 4) + Vector2 mVector34; + + public : + + // ---------- Methods ---------- // + + /// Constructor + TestVector2() : mVectorZero(0, 0), mVector34(3, 4) {} + + /// Run the tests + void run() { + testConstructors(); + testLengthMethods(); + testDotProduct(); + testOthersMethods(); + testOperators(); + } + + /// Test the constructors, getter and setter + void testConstructors() { + + // Test constructor + test(mVectorZero.x == 0.0); + test(mVectorZero.y == 0.0); + test(mVector34.x == 3.0); + test(mVector34.y == 4.0); + + // Test copy-constructor + Vector2 newVector(mVector34); + test(newVector.x == 3.0); + test(newVector.y == 4.0); + + // Test method to set values + Vector2 newVector2; + newVector2.setAllValues(decimal(6.1), decimal(7.2)); + test(approxEqual(newVector2.x, decimal(6.1))); + test(approxEqual(newVector2.y, decimal(7.2))); + + // Test method to set to zero + newVector2.setToZero(); + test(newVector2 == Vector2(0, 0)); + } + + /// Test the length, unit vector and normalize methods + void testLengthMethods() { + + // Test length methods + test(mVectorZero.length() == 0.0); + test(mVectorZero.lengthSquare() == 0.0); + test(Vector2(1, 0).length() == 1.0); + test(Vector2(0, 1).length() == 1.0); + test(mVector34.lengthSquare() == 25.0); + + // Test unit vector methods + test(Vector2(1, 0).isUnit()); + test(Vector2(0, 1).isUnit()); + test(!mVector34.isUnit()); + test(Vector2(5, 0).getUnit() == Vector2(1, 0)); + test(Vector2(0, 5).getUnit() == Vector2(0, 1)); + + test(!mVector34.isZero()); + test(mVectorZero.isZero()); + + // Test normalization method + Vector2 mVector10(1, 0); + Vector2 mVector01(0, 1); + Vector2 mVector50(5, 0); + Vector2 mVector05(0, 5); + mVector10.normalize(); + mVector01.normalize(); + mVector50.normalize(); + mVector05.normalize(); + test(mVector10 == Vector2(1, 0)); + test(mVector01 == Vector2(0, 1)); + test(mVector50 == Vector2(1, 0)); + test(mVector05 == Vector2(0, 1)); + } + + /// Test the dot product + void testDotProduct() { + + // Test the dot product + test(Vector2(5, 0).dot(Vector2(0, 8)) == 0); + test(Vector2(5, 8).dot(Vector2(0, 0)) == 0); + test(Vector2(12, 45).dot(Vector2(0, 0)) == 0); + test(Vector2(5, 7).dot(Vector2(5, 7)) == 74); + test(Vector2(3, 6).dot(Vector2(-3, -6)) == -45); + test(Vector2(2, 3).dot(Vector2(-7, 4)) == -2); + test(Vector2(4, 3).dot(Vector2(8, 9)) == 59); + } + + /// Test others methods + void testOthersMethods() { + + // Test the method that returns the absolute vector + test(Vector2(4, 5).getAbsoluteVector() == Vector2(4, 5)); + test(Vector2(-7, -24).getAbsoluteVector() == Vector2(7, 24)); + + // Test the method that returns the minimal element + test(Vector2(6, 35).getMinAxis() == 0); + test(Vector2(564, 45).getMinAxis() == 1); + test(Vector2(98, 23).getMinAxis() == 1); + test(Vector2(-53, -25).getMinAxis() == 0); + + // Test the method that returns the maximal element + test(Vector2(6, 35).getMaxAxis() == 1); + test(Vector2(7, 537).getMaxAxis() == 1); + test(Vector2(98, 23).getMaxAxis() == 0); + test(Vector2(-53, -25).getMaxAxis() == 1); + } + + /// Test the operators + void testOperators() { + + // Test the [] operator + test(mVector34[0] == 3); + test(mVector34[1] == 4); + + // Assignment operator + Vector2 newVector(6, 4); + newVector = Vector2(7, 8); + test(newVector == Vector2(7, 8)); + + // Equality, inequality operators + test(Vector2(5, 7) == Vector2(5, 7)); + test(Vector2(63, 64) != Vector2(63, 84)); + test(Vector2(63, 64) != Vector2(12, 64)); + + // Addition, substraction + Vector2 vector1(6, 33); + Vector2 vector2(7, 68); + test(Vector2(63, 24) + Vector2(3, 4) == Vector2(66, 28)); + test(Vector2(63, 24) - Vector2(3, 4) == Vector2(60, 20)); + vector1 += Vector2(5, 10); + vector2 -= Vector2(10, 21); + test(vector1 == Vector2(11, 43)); + test(vector2 == Vector2(-3, 47)); + + // Multiplication, division + Vector2 vector3(6, 33); + Vector2 vector4(15, 60); + test(Vector2(63, 24) * 3 == Vector2(189, 72)); + test(3 * Vector2(63, 24) == Vector2(189, 72)); + test(Vector2(14, 8) / 2 == Vector2(7, 4)); + vector3 *= 10; + vector4 /= 3; + test(vector3 == Vector2(60, 330)); + test(vector4 == Vector2(5, 20)); + + // Negative operator + Vector2 vector5(-34, 5); + Vector2 negative = -vector5; + test(negative == Vector2(34, -5)); + } + }; + +} + +#endif diff --git a/test/tests/mathematics/TestVector3.h b/test/tests/mathematics/TestVector3.h index d8f42599..274624fb 100644 --- a/test/tests/mathematics/TestVector3.h +++ b/test/tests/mathematics/TestVector3.h @@ -26,14 +26,10 @@ #ifndef TEST_VECTOR3_H #define TEST_VECTOR3_H -#endif - // Libraries #include "../../Test.h" #include "../../../src/mathematics/Vector3.h" -using namespace reactphysics3d; - /// Reactphysics3D namespace namespace reactphysics3d { @@ -232,3 +228,5 @@ class TestVector3 : public Test { }; } + +#endif