diff options
Diffstat (limited to 'Samples')
54 files changed, 768 insertions, 5838 deletions
diff --git a/Samples/CommonSrc/CMakeLists.txt b/Samples/CommonSrc/CMakeLists.txt new file mode 100644 index 0000000..3cfa009 --- /dev/null +++ b/Samples/CommonSrc/CMakeLists.txt @@ -0,0 +1,58 @@ +project(CommonSrc) + +set(SOURCE_FILES + Platform/Platform.cpp + Platform/Platform.cpp + Render/Render_Device.cpp + Render/Render_LoadTextureDDS.cpp + Render/Render_LoadTextureTGA.cpp + Render/Render_XmlSceneLoader.cpp +) + +if(WIN32) + list(APPEND SOURCE_FILES + Platform/Win32_Platform.cpp + Platform/Win32_Gamepad.cpp + Render/Render_D3D10_Device.cpp + Render/Render_D3D11_Device.cpp + ) + + find_package(DirectX REQUIRED) + list(APPEND CommonSrc_EXTRA_LIBS + ${DirectX_D3D10_LIBRARY} + ${DirectX_D3D11_LIBRARY} + ${DirectX_LIB_SEARCH_PATH}/d3dcompiler.lib + ${DirectX_LIB_SEARCH_PATH}/dxgi.lib + ) + include_directories(${DirectX_INC_SEARCH_PATH}) + +elseif(APPLE) + + list(APPEND SOURCE_FILES + Platform/OSX_Platform.mm + Platform/OSX_Gamepad.cpp + Platform/OSX_WavPlayer.cpp + Render/Render_GL_Device.cpp + ) + + find_library(OpenGL_LIBRARY OpenGL) + find_library(COCOA_LIBRARY Cocoa) + list(APPEND CommonSrc_EXTRA_LIBS + ${COCOA_LIBRARY} + ${OpenGL_LIBRARY} + ) + +else() + + list(APPEND SOURCE_FILES + Platform/Linux_Platform.cpp + Platform/Linux_Gamepad.cpp + Render/Render_GL_Device.cpp + ) + + list(APPEND CommonSrc_EXTRA_LIBS GL GLU glut) + +endif() + +add_library (CommonSrc STATIC ${SOURCE_FILES}) +target_link_libraries(CommonSrc ${CommonSrc_EXTRA_LIBS}) diff --git a/Samples/CommonSrc/Platform/Linux_Platform.cpp b/Samples/CommonSrc/Platform/Linux_Platform.cpp index c9d3e40..e94b37f 100644 --- a/Samples/CommonSrc/Platform/Linux_Platform.cpp +++ b/Samples/CommonSrc/Platform/Linux_Platform.cpp @@ -24,7 +24,7 @@ otherwise accompanies this software in either electronic or hard copy form. // Renderers #include "../Render/Render_GL_Device.h" -#include <X11/extensions/Xinerama.h> +#include <X11/extensions/Xrandr.h> namespace OVR { namespace Platform { namespace Linux { @@ -156,7 +156,7 @@ void PlatformCore::SetWindowTitle(const char* title) { XStoreName(Disp, Win, title); } - + void PlatformCore::ShowWindow(bool show) { if (show) @@ -227,12 +227,12 @@ static KeyCode MapXKToKeyCode(unsigned vk) { key = vk - XK_F1 + Key_F1; } - else + else { for (unsigned i = 0; i< (sizeof(KeyMap) / sizeof(KeyMap[1])); i++) { if (vk == KeyMap[i][0]) - { + { key = KeyMap[i][1]; break; } @@ -311,7 +311,7 @@ void PlatformCore::processEvent(XEvent& event) case MapNotify: if (MMode == Mouse_Relative) - { + { XWarpPointer(Disp, Win, Win, 0,0,Width,Height, Width/2, Height/2); showCursor(false); } @@ -323,7 +323,7 @@ void PlatformCore::processEvent(XEvent& event) //grab if (MMode == Mouse_RelativeEscaped) - { + { XWarpPointer(Disp, Win, Win, 0,0,Width,Height, Width/2, Height/2); showCursor(false); MMode = Mouse_Relative; @@ -333,7 +333,7 @@ void PlatformCore::processEvent(XEvent& event) case FocusOut: if (MMode == Mouse_Relative) - { + { MMode = Mouse_RelativeEscaped; showCursor(true); } @@ -370,28 +370,23 @@ int PlatformCore::Run() bool PlatformCore::determineScreenOffset(int screenId, int* screenOffsetX, int* screenOffsetY) { - Display* display = XOpenDisplay(NULL); - - bool foundScreen = false; - - if (display) - { - int numberOfScreens; - XineramaScreenInfo* screens = XineramaQueryScreens(display, &numberOfScreens); - - if (screenId < numberOfScreens) - { - XineramaScreenInfo screenInfo = screens[screenId]; - *screenOffsetX = screenInfo.x_org; - *screenOffsetY = screenInfo.y_org; - - foundScreen = true; + bool result = false; + if (screenId) { + Display* display = XOpenDisplay(NULL); + XRRScreenResources *screen = XRRGetScreenResources(display, DefaultRootWindow(display)); + XRROutputInfo * info = XRRGetOutputInfo (display, screen, screenId); + if (info->crtc) { + XRRCrtcInfo * crtc_info = XRRGetCrtcInfo (display, screen, info->crtc); + *screenOffsetX = crtc_info->x; + *screenOffsetY = crtc_info->y; + XRRFreeCrtcInfo(crtc_info); + result = true; } - - XFree(screens); + XRRFreeOutputInfo (info); + XRRFreeScreenResources(screen); } - return foundScreen; + return result; } void PlatformCore::showWindowDecorations(bool show) @@ -476,11 +471,11 @@ RenderDevice* PlatformCore::SetupGraphics(const SetupGraphicsDeviceSet& setupGra { const SetupGraphicsDeviceSet* setupDesc = setupGraphicsDesc.PickSetupDevice(type); OVR_ASSERT(setupDesc); - + pRender = *setupDesc->pCreateDevice(rp, this); if (pRender) pRender->SetWindowSize(Width, Height); - + return pRender.GetPtr(); } @@ -540,7 +535,7 @@ void RenderDevice::Shutdown() }}}} -int main(int argc, const char* argv[]) +int main(int argc, char** argv) { using namespace OVR; using namespace OVR::Platform; diff --git a/Samples/CommonSrc/Platform/OSX_Platform.mm b/Samples/CommonSrc/Platform/OSX_Platform.mm index 491ff6c..9926cca 100644 --- a/Samples/CommonSrc/Platform/OSX_Platform.mm +++ b/Samples/CommonSrc/Platform/OSX_Platform.mm @@ -29,7 +29,7 @@ using namespace OVR::Platform; [self setApp:app]; [self setPlatform:platform]; - const char* argv[] = {"OVRApp"}; + char* argv[] = {"OVRApp"}; int exitCode = app->OnStartup(1, argv); if (exitCode) { diff --git a/Samples/CommonSrc/Platform/Platform.h b/Samples/CommonSrc/Platform/Platform.h index 201aad6..992a3fa 100644 --- a/Samples/CommonSrc/Platform/Platform.h +++ b/Samples/CommonSrc/Platform/Platform.h @@ -79,7 +79,7 @@ typedef RenderDevice* (*RenderDeviceCreateFunc)(const Render::RendererParams&, v // used to build up a list of RenderDevices that can be used for rendering. // Specifying a smaller set allows application to avoid linking unused graphics devices. struct SetupGraphicsDeviceSet -{ +{ SetupGraphicsDeviceSet(const char* typeArg, RenderDeviceCreateFunc createFunc) : pTypeArg(typeArg), pCreateDevice(createFunc), pNext(0) { } SetupGraphicsDeviceSet(const char* typeArg, RenderDeviceCreateFunc createFunc, @@ -90,7 +90,7 @@ struct SetupGraphicsDeviceSet const SetupGraphicsDeviceSet* PickSetupDevice(const char* typeArg) const; const char* pTypeArg; - RenderDeviceCreateFunc pCreateDevice; + RenderDeviceCreateFunc pCreateDevice; private: const SetupGraphicsDeviceSet* pNext; @@ -111,7 +111,7 @@ protected: Application* pApp; Ptr<RenderDevice> pRender; Ptr<GamepadManager> pGamepadManager; - UInt64 StartupTicks; + UInt64 StartupTicks; public: PlatformCore(Application *app); @@ -126,10 +126,10 @@ public: virtual void Exit(int exitcode) = 0; virtual void ShowWindow(bool visible) = 0; - + virtual bool SetFullscreen(const Render::RendererParams& rp, int fullscreen); - - // Search for a matching graphics renderer based on type argument and initializes it. + + // Search for a matching graphics renderer based on type argument and initializes it. virtual RenderDevice* SetupGraphics(const SetupGraphicsDeviceSet& setupGraphicsDesc, const char* gtype, const Render::RendererParams& rp) = 0; @@ -142,10 +142,10 @@ public: virtual void PlayMusicFile(const char *fileName) { OVR_UNUSED(fileName); } virtual int GetDisplayCount() { return 0; } virtual Render::DisplayId GetDisplay(int screen); - + // Get time since start of application in seconds. - double GetAppTime() const; - + double GetAppTime() const; + virtual String GetContentDirectory() const { return "."; } }; @@ -161,7 +161,7 @@ protected: public: virtual ~Application() { } - virtual int OnStartup(int argc, const char** argv) = 0; + virtual int OnStartup(int argc, char** argv) = 0; virtual void OnQuitRequest() { pPlatform->Exit(0); } virtual void OnIdle() {} diff --git a/Samples/CommonSrc/Platform/Platform_Default.h b/Samples/CommonSrc/Platform/Platform_Default.h index e4fecf2..75bd1d8 100644 --- a/Samples/CommonSrc/Platform/Platform_Default.h +++ b/Samples/CommonSrc/Platform/Platform_Default.h @@ -3,7 +3,7 @@ Filename : Platform_Default.h Content : Default Platform class and RenderDevice selection file Created : October 4, 2012 -Authors : +Authors : Copyright : Copyright 2012 Oculus VR, Inc. All Rights reserved. @@ -31,7 +31,7 @@ limitations under the License. #include "Win32_Platform.h" #include "../Render/Render_D3D11_Device.h" - #undef OVR_D3D_VERSION + #undef OVR_D3D_VERSION #include "../Render/Render_D3D10_Device.h" // #include "../Render/Render_GL_Win32_Device.h" @@ -46,14 +46,17 @@ limitations under the License. #define OVR_DEFAULT_RENDER_DEVICE_SET \ SetupGraphicsDeviceSet("GL", &OVR::Render::GL::OSX::RenderDevice::CreateDevice) - -#else +#elif defined(OVR_OS_LINUX) #include "Linux_Platform.h" #define OVR_DEFAULT_RENDER_DEVICE_SET \ SetupGraphicsDeviceSet("GL", &OVR::Render::GL::Linux::RenderDevice::CreateDevice) +#else + + #error "Not implemented yet" + #endif #endif // OVR_Platform_Default_h diff --git a/Samples/CommonSrc/Platform/Win32_Platform.cpp b/Samples/CommonSrc/Platform/Win32_Platform.cpp index eeab429..09830d2 100644 --- a/Samples/CommonSrc/Platform/Win32_Platform.cpp +++ b/Samples/CommonSrc/Platform/Win32_Platform.cpp @@ -563,7 +563,7 @@ int WINAPI WinMain(HINSTANCE hinst, HINSTANCE prevInst, LPSTR inArgs, int show) // Nested scope for container destructors to shutdown before DestroyApplication. { Array<String> args; - Array<const char*> argv; + Array<char*> argv; argv.PushBack("app"); const char* p = inArgs; @@ -584,8 +584,9 @@ int WINAPI WinMain(HINSTANCE hinst, HINSTANCE prevInst, LPSTR inArgs, int show) } if (p != pstart) args.PushBack(String(pstart, p - pstart)); + // FIXME memory leak of the command line arguments here for (UPInt i = 0; i < args.GetSize(); i++) - argv.PushBack(args[i].ToCStr()); + argv.PushBack(strdup(args[i].ToCStr())); exitCode = g_app->OnStartup((int)argv.GetSize(), &argv[0]); if (!exitCode) diff --git a/Samples/CommonSrc/Render/Render_GL_Device.h b/Samples/CommonSrc/Render/Render_GL_Device.h index 88eaff4..7b65d4c 100644 --- a/Samples/CommonSrc/Render/Render_GL_Device.h +++ b/Samples/CommonSrc/Render/Render_GL_Device.h @@ -34,7 +34,6 @@ limitations under the License. #include <OpenGL/gl.h> #include <OpenGL/glext.h> #else -#define GL_GLEXT_PROTOTYPES #include <GL/gl.h> #include <GL/glext.h> #endif @@ -154,7 +153,7 @@ public: // Set a uniform (other than the standard matrices). It is undefined whether the // uniforms from one shader occupy the same space as those in other shaders - // (unless a buffer is used, then each buffer is independent). + // (unless a buffer is used, then each buffer is independent). virtual bool SetUniform(const char* name, int n, const float* v); virtual bool SetUniform4x4f(const char* name, const Matrix4f& m); @@ -185,7 +184,7 @@ class RenderDevice : public Render::RenderDevice GLuint CurrentFbo; const LightingParams* Lighting; - + public: RenderDevice(const RendererParams& p); diff --git a/Samples/CommonSrc/Render/Render_XmlSceneLoader.h b/Samples/CommonSrc/Render/Render_XmlSceneLoader.h index 694fc2e..4a5fecd 100644 --- a/Samples/CommonSrc/Render/Render_XmlSceneLoader.h +++ b/Samples/CommonSrc/Render/Render_XmlSceneLoader.h @@ -33,7 +33,8 @@ using namespace OVR::Render; #undef new #endif -#include "../../../3rdParty/TinyXml/tinyxml2.h" +#include <tinyxml2.h> +//#include "../../../3rdParty/TinyXml/tinyxml2.h" namespace OVR { namespace Render { diff --git a/Samples/LibOVR_Samples_Msvc2010.sln b/Samples/LibOVR_Samples_Msvc2010.sln deleted file mode 100644 index 41da1d9..0000000 --- a/Samples/LibOVR_Samples_Msvc2010.sln +++ /dev/null @@ -1,43 +0,0 @@ -Microsoft Visual Studio Solution File, Format Version 11.00 -# Visual Studio 2010 -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "OculusWorldDemo", "OculusWorldDemo\OculusWorldDemo_Msvc2010.vcxproj", "{8051B877-2992-4F64-8C3B-FAF88B6D83AA}" -EndProject -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "SensorBoxTest", "SensorBox\SensorBoxTest_Msvc2010.vcxproj", "{8051B837-2982-4F64-8C3B-FAF88B6D83AB}" -EndProject -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "OculusRoomTiny", "OculusRoomTiny\OculusRoomTiny_Msvc2010.vcxproj", "{80523489-2881-4F64-8C3B-FAF88B60ABCD}" -EndProject -Global - GlobalSection(SolutionConfigurationPlatforms) = preSolution - Debug|Win32 = Debug|Win32 - Debug|x64 = Debug|x64 - Release|Win32 = Release|Win32 - Release|x64 = Release|x64 - EndGlobalSection - GlobalSection(ProjectConfigurationPlatforms) = postSolution - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|Win32.ActiveCfg = Debug|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|Win32.Build.0 = Debug|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|x64.ActiveCfg = Debug|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|x64.Build.0 = Debug|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|Win32.ActiveCfg = Release|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|Win32.Build.0 = Release|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|x64.ActiveCfg = Release|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|x64.Build.0 = Release|x64 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|Win32.ActiveCfg = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|Win32.Build.0 = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|x64.ActiveCfg = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|Win32.ActiveCfg = Release|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|Win32.Build.0 = Release|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|x64.ActiveCfg = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|Win32.ActiveCfg = Debug|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|Win32.Build.0 = Debug|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|x64.ActiveCfg = Debug|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|x64.Build.0 = Debug|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|Win32.ActiveCfg = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|Win32.Build.0 = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|x64.ActiveCfg = Release|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|x64.Build.0 = Release|x64 - EndGlobalSection - GlobalSection(SolutionProperties) = preSolution - HideSolutionNode = FALSE - EndGlobalSection -EndGlobal diff --git a/Samples/LibOVR_With_Samples.xcodeproj/OculusRoomTiny-Info.plist b/Samples/LibOVR_With_Samples.xcodeproj/OculusRoomTiny-Info.plist deleted file mode 100644 index 644e6d8..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/OculusRoomTiny-Info.plist +++ /dev/null @@ -1,34 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> -<plist version="1.0"> -<dict> - <key>CFBundleDevelopmentRegion</key> - <string>en</string> - <key>CFBundleExecutable</key> - <string>${EXECUTABLE_NAME}</string> - <key>CFBundleIconFile</key> - <string></string> - <key>CFBundleIdentifier</key> - <string>com.oculusvr.${PRODUCT_NAME:rfc1034identifier}</string> - <key>CFBundleInfoDictionaryVersion</key> - <string>6.0</string> - <key>CFBundleName</key> - <string>${PRODUCT_NAME}</string> - <key>CFBundlePackageType</key> - <string>APPL</string> - <key>CFBundleShortVersionString</key> - <string>1.0</string> - <key>CFBundleSignature</key> - <string>????</string> - <key>CFBundleVersion</key> - <string>1</string> - <key>LSMinimumSystemVersion</key> - <string>${MACOSX_DEPLOYMENT_TARGET}</string> - <key>NSHumanReadableCopyright</key> - <string>Copyright © 2013 Oculus VR. All rights reserved.</string> - <key>NSMainNibFile</key> - <string>MainMenu</string> - <key>NSPrincipalClass</key> - <string>NSApplication</string> -</dict> -</plist> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/OculusWorldDemo-Info.plist b/Samples/LibOVR_With_Samples.xcodeproj/OculusWorldDemo-Info.plist deleted file mode 100644 index 23028a1..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/OculusWorldDemo-Info.plist +++ /dev/null @@ -1,34 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> -<plist version="1.0"> -<dict> - <key>CFBundleDevelopmentRegion</key> - <string>en</string> - <key>CFBundleExecutable</key> - <string>${EXECUTABLE_NAME}</string> - <key>CFBundleIconFile</key> - <string>Oculus</string> - <key>CFBundleIdentifier</key> - <string>com.oculusvr.${PRODUCT_NAME:rfc1034identifier}</string> - <key>CFBundleInfoDictionaryVersion</key> - <string>6.0</string> - <key>CFBundleName</key> - <string>${PRODUCT_NAME}</string> - <key>CFBundlePackageType</key> - <string>APPL</string> - <key>CFBundleShortVersionString</key> - <string>1.0</string> - <key>CFBundleSignature</key> - <string>????</string> - <key>CFBundleVersion</key> - <string>1</string> - <key>LSMinimumSystemVersion</key> - <string>${MACOSX_DEPLOYMENT_TARGET}</string> - <key>NSHumanReadableCopyright</key> - <string>Copyright © 2013 Oculus VR. All rights reserved.</string> - <key>NSMainNibFile</key> - <string>MainMenu</string> - <key>NSPrincipalClass</key> - <string>NSApplication</string> -</dict> -</plist> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/SensorBoxTest-Info.plist b/Samples/LibOVR_With_Samples.xcodeproj/SensorBoxTest-Info.plist deleted file mode 100644 index 23028a1..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/SensorBoxTest-Info.plist +++ /dev/null @@ -1,34 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> -<plist version="1.0"> -<dict> - <key>CFBundleDevelopmentRegion</key> - <string>en</string> - <key>CFBundleExecutable</key> - <string>${EXECUTABLE_NAME}</string> - <key>CFBundleIconFile</key> - <string>Oculus</string> - <key>CFBundleIdentifier</key> - <string>com.oculusvr.${PRODUCT_NAME:rfc1034identifier}</string> - <key>CFBundleInfoDictionaryVersion</key> - <string>6.0</string> - <key>CFBundleName</key> - <string>${PRODUCT_NAME}</string> - <key>CFBundlePackageType</key> - <string>APPL</string> - <key>CFBundleShortVersionString</key> - <string>1.0</string> - <key>CFBundleSignature</key> - <string>????</string> - <key>CFBundleVersion</key> - <string>1</string> - <key>LSMinimumSystemVersion</key> - <string>${MACOSX_DEPLOYMENT_TARGET}</string> - <key>NSHumanReadableCopyright</key> - <string>Copyright © 2013 Oculus VR. All rights reserved.</string> - <key>NSMainNibFile</key> - <string>MainMenu</string> - <key>NSPrincipalClass</key> - <string>NSApplication</string> -</dict> -</plist> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/project.pbxproj b/Samples/LibOVR_With_Samples.xcodeproj/project.pbxproj deleted file mode 100644 index a2bc2f1..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/project.pbxproj +++ /dev/null @@ -1,1131 +0,0 @@ -// !$*UTF8*$! -{ - archiveVersion = 1; - classes = { - }; - objectVersion = 46; - objects = { - -/* Begin PBXBuildFile section */ - 37973B391739D78B0093BBB8 /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945072216E55A0300B9FF78 /* Cocoa.framework */; }; - 37973B501739E1B60093BBB8 /* OculusRoomModel.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 37973B4F1739E1B60093BBB8 /* OculusRoomModel.cpp */; }; - 37973B531739E1D20093BBB8 /* RenderTiny_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 37973B511739E1D20093BBB8 /* RenderTiny_Device.cpp */; }; - 37973B561739E9230093BBB8 /* RenderTiny_GL_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 37973B541739E9230093BBB8 /* RenderTiny_GL_Device.cpp */; }; - 37973B591739E9E80093BBB8 /* OSX_OculusRoomTiny.mm in Sources */ = {isa = PBXBuildFile; fileRef = 37973B581739E9E80093BBB8 /* OSX_OculusRoomTiny.mm */; }; - 37973B5C1739FA620093BBB8 /* libovr.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 49A5336D16E544BE0039CB59 /* libovr.a */; }; - 37973B5D1739FA920093BBB8 /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C516E6A179008EA2ED /* IOKit.framework */; }; - 37973B5E1739FAB60093BBB8 /* OpenGL.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945071616E546F700B9FF78 /* OpenGL.framework */; }; - 37973B5F1739FAC80093BBB8 /* ApplicationServices.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 49DB65F01718B1E10097A8DD /* ApplicationServices.framework */; }; - 37973B601739FAD50093BBB8 /* CoreFoundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C716E6A187008EA2ED /* CoreFoundation.framework */; }; - 439FE6E217BE2E21007EFD34 /* OSX_Gamepad.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BB10AEF173C4918009ED618 /* OSX_Gamepad.cpp */; }; - 494506DD16E5461F00B9FF78 /* OVR_Alg.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5337116E544E30039CB59 /* OVR_Alg.cpp */; }; - 494506DF16E5461F00B9FF78 /* OVR_Allocator.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5337316E544E30039CB59 /* OVR_Allocator.cpp */; }; - 494506E216E5461F00B9FF78 /* OVR_Atomic.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5337616E544E30039CB59 /* OVR_Atomic.cpp */; }; - 494506E616E5461F00B9FF78 /* OVR_File.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5337A16E544E30039CB59 /* OVR_File.cpp */; }; - 494506E816E5461F00B9FF78 /* OVR_FileFILE.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5337C16E544E30039CB59 /* OVR_FileFILE.cpp */; }; - 494506EC16E5461F00B9FF78 /* OVR_Log.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338016E544E30039CB59 /* OVR_Log.cpp */; }; - 494506EE16E5461F00B9FF78 /* OVR_Math.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338216E544E30039CB59 /* OVR_Math.cpp */; }; - 494506F016E5461F00B9FF78 /* OVR_RefCount.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338416E544E30039CB59 /* OVR_RefCount.cpp */; }; - 494506F216E5461F00B9FF78 /* OVR_Std.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338616E544E30039CB59 /* OVR_Std.cpp */; }; - 494506F416E5461F00B9FF78 /* OVR_String.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338816E544E30039CB59 /* OVR_String.cpp */; }; - 494506F616E5461F00B9FF78 /* OVR_String_FormatUtil.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338A16E544E30039CB59 /* OVR_String_FormatUtil.cpp */; }; - 494506F716E5461F00B9FF78 /* OVR_String_PathUtil.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338B16E544E30039CB59 /* OVR_String_PathUtil.cpp */; }; - 494506F916E5461F00B9FF78 /* OVR_SysFile.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338D16E544E30039CB59 /* OVR_SysFile.cpp */; }; - 494506FB16E5461F00B9FF78 /* OVR_System.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5338F16E544E30039CB59 /* OVR_System.cpp */; }; - 494506FE16E5461F00B9FF78 /* OVR_ThreadsPthread.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5339216E544E30039CB59 /* OVR_ThreadsPthread.cpp */; }; - 494506FF16E5461F00B9FF78 /* OVR_Timer.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5339316E544E30039CB59 /* OVR_Timer.cpp */; }; - 4945070216E5461F00B9FF78 /* OVR_UTF8Util.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5339616E544E30039CB59 /* OVR_UTF8Util.cpp */; }; - 4945070616E5462A00B9FF78 /* OVR_DeviceHandle.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5339B16E544E30039CB59 /* OVR_DeviceHandle.cpp */; }; - 4945070816E5462A00B9FF78 /* OVR_DeviceImpl.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5339D16E544E30039CB59 /* OVR_DeviceImpl.cpp */; }; - 4945070F16E5462A00B9FF78 /* OVR_SensorFusion.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A533A416E544E30039CB59 /* OVR_SensorFusion.cpp */; }; - 4945071116E5462A00B9FF78 /* OVR_ThreadCommandQueue.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A533A616E544E30039CB59 /* OVR_ThreadCommandQueue.cpp */; }; - 4985385E16ECFE92008D0727 /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945072216E55A0300B9FF78 /* Cocoa.framework */; }; - 4985387416ECFED8008D0727 /* Render_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335016E527820039CB59 /* Render_Device.cpp */; }; - 4985387816ECFED8008D0727 /* Render_GL_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335416E527820039CB59 /* Render_GL_Device.cpp */; }; - 4985387A16ECFED8008D0727 /* Render_LoadTextureTGA.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335816E527820039CB59 /* Render_LoadTextureTGA.cpp */; }; - 4985388016ECFEE5008D0727 /* Platform.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5334216E527820039CB59 /* Platform.cpp */; }; - 4985388616ECFF2D008D0727 /* OculusWorldDemo.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 4985388116ECFF23008D0727 /* OculusWorldDemo.cpp */; }; - 4985388716ECFF2D008D0727 /* Player.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 4985388216ECFF23008D0727 /* Player.cpp */; }; - 4985388A16ECFF53008D0727 /* CoreFoundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C716E6A187008EA2ED /* CoreFoundation.framework */; }; - 4985388C16ECFF53008D0727 /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C516E6A179008EA2ED /* IOKit.framework */; }; - 4985388D16ECFF53008D0727 /* IOSurface.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C916E9880D008EA2ED /* IOSurface.framework */; }; - 4985388E16ECFF53008D0727 /* OpenGL.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945071616E546F700B9FF78 /* OpenGL.framework */; }; - 4985389216ED0204008D0727 /* tinyxml2.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 4985389116ED0204008D0727 /* tinyxml2.cpp */; }; - 4985389516ED0218008D0727 /* Render_LoadTextureDDS.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 4985389316ED0218008D0727 /* Render_LoadTextureDDS.cpp */; }; - 4985389716ED1AA7008D0727 /* Assets in Resources */ = {isa = PBXBuildFile; fileRef = 4985389616ED1AA7008D0727 /* Assets */; }; - 49ABA2E91718A38100E288A7 /* AudioToolbox.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 49ABA2E81718A38100E288A7 /* AudioToolbox.framework */; }; - 49DB65F11718B1E10097A8DD /* ApplicationServices.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 49DB65F01718B1E10097A8DD /* ApplicationServices.framework */; }; - 49DB65F71726F0C30097A8DD /* Cocoa.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945072216E55A0300B9FF78 /* Cocoa.framework */; }; - 49DB660F1726F0EA0097A8DD /* OSX_Platform.mm in Sources */ = {isa = PBXBuildFile; fileRef = 9BBB8902171E2BE200563901 /* OSX_Platform.mm */; }; - 49DB66101726F0EA0097A8DD /* Platform.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5334216E527820039CB59 /* Platform.cpp */; }; - 49DB66111726F0F80097A8DD /* Render_LoadTextureDDS.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 4985389316ED0218008D0727 /* Render_LoadTextureDDS.cpp */; }; - 49DB66121726F0F80097A8DD /* Render_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335016E527820039CB59 /* Render_Device.cpp */; }; - 49DB66131726F0F80097A8DD /* Render_GL_Device.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335416E527820039CB59 /* Render_GL_Device.cpp */; }; - 49DB66141726F0F80097A8DD /* Render_LoadTextureTGA.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 49A5335816E527820039CB59 /* Render_LoadTextureTGA.cpp */; }; - 49DB66171726F1350097A8DD /* ApplicationServices.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 49DB65F01718B1E10097A8DD /* ApplicationServices.framework */; }; - 49DB66181726F13B0097A8DD /* IOKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 499ED4C516E6A179008EA2ED /* IOKit.framework */; }; - 49DB66191726F1530097A8DD /* libovr.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 49A5336D16E544BE0039CB59 /* libovr.a */; }; - 49DB661A1726F1650097A8DD /* OpenGL.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4945071616E546F700B9FF78 /* OpenGL.framework */; }; - 9B6DEF851728A6560071E76B /* SensorBoxTest.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9B6DEF841728A6560071E76B /* SensorBoxTest.cpp */; }; - 9BA4DDB61721E12400CF7715 /* OSX_Platform.mm in Sources */ = {isa = PBXBuildFile; fileRef = 9BBB8902171E2BE200563901 /* OSX_Platform.mm */; }; - 9BA4DDB81727061100CF7715 /* Oculus.icns in Resources */ = {isa = PBXBuildFile; fileRef = 9BA4DDB71727061100CF7715 /* Oculus.icns */; }; - 9BA4DDB91727083500CF7715 /* Oculus.icns in Resources */ = {isa = PBXBuildFile; fileRef = 9BA4DDB71727061100CF7715 /* Oculus.icns */; }; - 9BAB70F6170E69530006FE98 /* libovr.a in Frameworks */ = {isa = PBXBuildFile; fileRef = 49A5336D16E544BE0039CB59 /* libovr.a */; }; - 9BB10AF1173C4918009ED618 /* OSX_Gamepad.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BB10AEF173C4918009ED618 /* OSX_Gamepad.cpp */; }; - 9BCE53F916F0293A007A23FF /* OVR_HIDDevice.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53F416F0293A007A23FF /* OVR_HIDDevice.h */; }; - 9BCE53FA16F0293A007A23FF /* OVR_HIDDeviceBase.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53F516F0293A007A23FF /* OVR_HIDDeviceBase.h */; }; - 9BCE53FB16F0293A007A23FF /* OVR_HIDDeviceImpl.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53F616F0293A007A23FF /* OVR_HIDDeviceImpl.h */; }; - 9BCE53FC16F0293A007A23FF /* OVR_LatencyTestImpl.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE53F716F0293A007A23FF /* OVR_LatencyTestImpl.cpp */; }; - 9BCE53FD16F0293A007A23FF /* OVR_LatencyTestImpl.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53F816F0293A007A23FF /* OVR_LatencyTestImpl.h */; }; - 9BCE540016F02A56007A23FF /* OVR_SensorImpl.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE53FE16F02A56007A23FF /* OVR_SensorImpl.cpp */; }; - 9BCE540116F02A56007A23FF /* OVR_SensorImpl.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53FF16F02A56007A23FF /* OVR_SensorImpl.h */; }; - 9BCE541616F02ABC007A23FF /* OVR_OSX_DeviceManager.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE53EB16F028A9007A23FF /* OVR_OSX_DeviceManager.cpp */; }; - 9BCE541716F02AD5007A23FF /* OVR_OSX_HIDDevice.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE53ED16F028AA007A23FF /* OVR_OSX_HIDDevice.cpp */; }; - 9BCE541816F02ADB007A23FF /* OVR_OSX_DeviceManager.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53EC16F028AA007A23FF /* OVR_OSX_DeviceManager.h */; }; - 9BCE541916F02AE6007A23FF /* OVR_OSX_HIDDevice.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53EE16F028AA007A23FF /* OVR_OSX_HIDDevice.h */; }; - 9BCE541A16F02AEB007A23FF /* OVR_OSX_HMDDevice.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE53EF16F028AA007A23FF /* OVR_OSX_HMDDevice.cpp */; }; - 9BCE541B16F02AF1007A23FF /* OVR_OSX_HMDDevice.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BCE53F016F028AA007A23FF /* OVR_OSX_HMDDevice.h */; }; - 9BCE541C16F02B04007A23FF /* OVR_Device.h in Headers */ = {isa = PBXBuildFile; fileRef = 499ED4B216E5703B008EA2ED /* OVR_Device.h */; }; - 9BCE541D16F02B13007A23FF /* OVR_DeviceConstants.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A5339A16E544E30039CB59 /* OVR_DeviceConstants.h */; }; - 9BCE541E16F02B1D007A23FF /* OVR_DeviceHandle.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A5339C16E544E30039CB59 /* OVR_DeviceHandle.h */; }; - 9BCE541F16F02B26007A23FF /* OVR_DeviceImpl.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A5339E16E544E30039CB59 /* OVR_DeviceImpl.h */; }; - 9BCE542016F02B2A007A23FF /* OVR_DeviceMessages.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A5339F16E544E30039CB59 /* OVR_DeviceMessages.h */; }; - 9BCE542216F02B88007A23FF /* OVR_SensorFusion.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A533A516E544E30039CB59 /* OVR_SensorFusion.h */; }; - 9BCE542316F02B91007A23FF /* OVR_ThreadCommandQueue.h in Headers */ = {isa = PBXBuildFile; fileRef = 49A533A716E544E30039CB59 /* OVR_ThreadCommandQueue.h */; }; - 9BCE542516F2694F007A23FF /* OVR_OSX_SensorDevice.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BCE542416F2694E007A23FF /* OVR_OSX_SensorDevice.cpp */; }; - 9BD2A642172069B300C3C389 /* Util_MagCalibration.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BD2A640172069B300C3C389 /* Util_MagCalibration.cpp */; }; - 9BD2A643172069B300C3C389 /* Util_MagCalibration.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BD2A641172069B300C3C389 /* Util_MagCalibration.h */; }; - 9BD2A646172069BF00C3C389 /* OVR_SensorFilter.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BD2A644172069BF00C3C389 /* OVR_SensorFilter.cpp */; }; - 9BD2A647172069BF00C3C389 /* OVR_SensorFilter.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BD2A645172069BF00C3C389 /* OVR_SensorFilter.h */; }; - 9BEAD55F17187B8A00A8AA1D /* Util_LatencyTest.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BEAD55B17187B8A00A8AA1D /* Util_LatencyTest.cpp */; }; - 9BEAD56017187B8A00A8AA1D /* Util_LatencyTest.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BEAD55C17187B8A00A8AA1D /* Util_LatencyTest.h */; }; - 9BEAD56117187B8A00A8AA1D /* Util_Render_Stereo.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BEAD55D17187B8A00A8AA1D /* Util_Render_Stereo.cpp */; }; - 9BEAD56217187B8A00A8AA1D /* Util_Render_Stereo.h in Headers */ = {isa = PBXBuildFile; fileRef = 9BEAD55E17187B8A00A8AA1D /* Util_Render_Stereo.h */; }; - 9BEAD56517187CFF00A8AA1D /* OSX_WavPlayer.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BEAD56317187CFF00A8AA1D /* OSX_WavPlayer.cpp */; }; - 9BEAD56717187E7500A8AA1D /* Render_XmlSceneLoader.cpp in Sources */ = {isa = PBXBuildFile; fileRef = 9BEAD56617187E7500A8AA1D /* Render_XmlSceneLoader.cpp */; }; - C50FA3D0177BB88E00730BB7 /* OVR_JSON.cpp in Sources */ = {isa = PBXBuildFile; fileRef = C50FA3CC177BB88E00730BB7 /* OVR_JSON.cpp */; }; - C50FA3D1177BB88E00730BB7 /* OVR_JSON.h in Headers */ = {isa = PBXBuildFile; fileRef = C50FA3CD177BB88E00730BB7 /* OVR_JSON.h */; }; - C50FA3D2177BB88E00730BB7 /* OVR_Profile.cpp in Sources */ = {isa = PBXBuildFile; fileRef = C50FA3CE177BB88E00730BB7 /* OVR_Profile.cpp */; }; - C50FA3D3177BB88E00730BB7 /* OVR_Profile.h in Headers */ = {isa = PBXBuildFile; fileRef = C50FA3CF177BB88E00730BB7 /* OVR_Profile.h */; }; -/* End PBXBuildFile section */ - -/* Begin PBXContainerItemProxy section */ - 37973B5A1739FA100093BBB8 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = 49A5332B16E527490039CB59 /* Project object */; - proxyType = 1; - remoteGlobalIDString = 49A5336C16E544BE0039CB59; - remoteInfo = ovr; - }; - 4985388F16ECFF5C008D0727 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = 49A5332B16E527490039CB59 /* Project object */; - proxyType = 1; - remoteGlobalIDString = 49A5336C16E544BE0039CB59; - remoteInfo = ovr; - }; - 49DB660D1726F0CD0097A8DD /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = 49A5332B16E527490039CB59 /* Project object */; - proxyType = 1; - remoteGlobalIDString = 49A5336C16E544BE0039CB59; - remoteInfo = ovr; - }; -/* End PBXContainerItemProxy section */ - -/* Begin PBXFileReference section */ - 37973B381739D78B0093BBB8 /* OculusRoomTiny.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = OculusRoomTiny.app; sourceTree = BUILT_PRODUCTS_DIR; }; - 37973B4F1739E1B60093BBB8 /* OculusRoomModel.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OculusRoomModel.cpp; sourceTree = "<group>"; }; - 37973B511739E1D20093BBB8 /* RenderTiny_Device.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = RenderTiny_Device.cpp; sourceTree = "<group>"; }; - 37973B521739E1D20093BBB8 /* RenderTiny_Device.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RenderTiny_Device.h; sourceTree = "<group>"; }; - 37973B541739E9230093BBB8 /* RenderTiny_GL_Device.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = RenderTiny_GL_Device.cpp; sourceTree = "<group>"; }; - 37973B551739E9230093BBB8 /* RenderTiny_GL_Device.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RenderTiny_GL_Device.h; sourceTree = "<group>"; }; - 37973B571739E9E80093BBB8 /* OSX_OculusRoomTiny.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OSX_OculusRoomTiny.h; sourceTree = "<group>"; }; - 37973B581739E9E80093BBB8 /* OSX_OculusRoomTiny.mm */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.objcpp; path = OSX_OculusRoomTiny.mm; sourceTree = "<group>"; }; - 4945071616E546F700B9FF78 /* OpenGL.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = OpenGL.framework; path = System/Library/Frameworks/OpenGL.framework; sourceTree = SDKROOT; }; - 4945071816E5474000B9FF78 /* libGL.dylib */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.dylib"; name = libGL.dylib; path = ../../../../../../../opt/X11/lib/libGL.dylib; sourceTree = "<group>"; }; - 4945071A16E5474A00B9FF78 /* libX11.dylib */ = {isa = PBXFileReference; lastKnownFileType = "compiled.mach-o.dylib"; name = libX11.dylib; path = ../../../../../../../opt/X11/lib/libX11.dylib; sourceTree = "<group>"; }; - 4945072216E55A0300B9FF78 /* Cocoa.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Cocoa.framework; path = System/Library/Frameworks/Cocoa.framework; sourceTree = SDKROOT; }; - 4945072516E55A0300B9FF78 /* AppKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = AppKit.framework; path = System/Library/Frameworks/AppKit.framework; sourceTree = SDKROOT; }; - 4945072616E55A0300B9FF78 /* CoreData.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = CoreData.framework; path = System/Library/Frameworks/CoreData.framework; sourceTree = SDKROOT; }; - 4945072716E55A0300B9FF78 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = System/Library/Frameworks/Foundation.framework; sourceTree = SDKROOT; }; - 4985385D16ECFE92008D0727 /* OculusWorldDemo.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = OculusWorldDemo.app; sourceTree = BUILT_PRODUCTS_DIR; }; - 4985388116ECFF23008D0727 /* OculusWorldDemo.cpp */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.cpp.cpp; name = OculusWorldDemo.cpp; path = OculusWorldDemo/OculusWorldDemo.cpp; sourceTree = "<group>"; }; - 4985388216ECFF23008D0727 /* Player.cpp */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.cpp.cpp; name = Player.cpp; path = OculusWorldDemo/Player.cpp; sourceTree = "<group>"; }; - 4985388316ECFF23008D0727 /* Player.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; name = Player.h; path = OculusWorldDemo/Player.h; sourceTree = "<group>"; }; - 4985389116ED0204008D0727 /* tinyxml2.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; name = tinyxml2.cpp; path = ../3rdParty/TinyXml/tinyxml2.cpp; sourceTree = "<group>"; }; - 4985389316ED0218008D0727 /* Render_LoadTextureDDS.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Render_LoadTextureDDS.cpp; sourceTree = "<group>"; }; - 4985389616ED1AA7008D0727 /* Assets */ = {isa = PBXFileReference; lastKnownFileType = folder; name = Assets; path = OculusWorldDemo/Assets; sourceTree = "<group>"; }; - 499ED49B16E57027008EA2ED /* OVR_Alg.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Alg.h; sourceTree = "<group>"; }; - 499ED49C16E57027008EA2ED /* OVR_Allocator.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Allocator.h; sourceTree = "<group>"; }; - 499ED49D16E57027008EA2ED /* OVR_Array.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Array.h; sourceTree = "<group>"; }; - 499ED49E16E57027008EA2ED /* OVR_Atomic.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Atomic.h; sourceTree = "<group>"; }; - 499ED49F16E57027008EA2ED /* OVR_Color.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Color.h; sourceTree = "<group>"; }; - 499ED4A016E57027008EA2ED /* OVR_ContainerAllocator.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_ContainerAllocator.h; sourceTree = "<group>"; }; - 499ED4A116E57027008EA2ED /* OVR_File.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_File.h; sourceTree = "<group>"; }; - 499ED4A216E57027008EA2ED /* OVR_Hash.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Hash.h; sourceTree = "<group>"; }; - 499ED4A316E57027008EA2ED /* OVR_KeyCodes.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_KeyCodes.h; sourceTree = "<group>"; }; - 499ED4A416E57027008EA2ED /* OVR_List.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_List.h; sourceTree = "<group>"; }; - 499ED4A516E57027008EA2ED /* OVR_Log.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Log.h; sourceTree = "<group>"; }; - 499ED4A616E57027008EA2ED /* OVR_Math.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Math.h; sourceTree = "<group>"; }; - 499ED4A716E57027008EA2ED /* OVR_RefCount.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_RefCount.h; sourceTree = "<group>"; }; - 499ED4A816E57027008EA2ED /* OVR_Std.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Std.h; sourceTree = "<group>"; }; - 499ED4A916E57027008EA2ED /* OVR_String.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_String.h; sourceTree = "<group>"; }; - 499ED4AA16E57027008EA2ED /* OVR_StringHash.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_StringHash.h; sourceTree = "<group>"; }; - 499ED4AB16E57027008EA2ED /* OVR_SysFile.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_SysFile.h; sourceTree = "<group>"; }; - 499ED4AC16E57027008EA2ED /* OVR_System.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_System.h; sourceTree = "<group>"; }; - 499ED4AD16E57027008EA2ED /* OVR_Threads.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Threads.h; sourceTree = "<group>"; }; - 499ED4AE16E57027008EA2ED /* OVR_ThreadsWinAPI.cpp */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_ThreadsWinAPI.cpp; sourceTree = "<group>"; }; - 499ED4AF16E57027008EA2ED /* OVR_Timer.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Timer.h; sourceTree = "<group>"; }; - 499ED4B016E57027008EA2ED /* OVR_Types.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Types.h; sourceTree = "<group>"; }; - 499ED4B116E57027008EA2ED /* OVR_UTF8Util.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_UTF8Util.h; sourceTree = "<group>"; }; - 499ED4B216E5703B008EA2ED /* OVR_Device.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = OVR_Device.h; sourceTree = "<group>"; }; - 499ED4C516E6A179008EA2ED /* IOKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = IOKit.framework; path = System/Library/Frameworks/IOKit.framework; sourceTree = SDKROOT; }; - 499ED4C716E6A187008EA2ED /* CoreFoundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = CoreFoundation.framework; path = System/Library/Frameworks/CoreFoundation.framework; sourceTree = SDKROOT; }; - 499ED4C916E9880D008EA2ED /* IOSurface.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = IOSurface.framework; path = System/Library/Frameworks/IOSurface.framework; sourceTree = SDKROOT; }; - 49A5334216E527820039CB59 /* Platform.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Platform.cpp; sourceTree = "<group>"; }; - 49A5334316E527820039CB59 /* Platform.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Platform.h; sourceTree = "<group>"; }; - 49A5334416E527820039CB59 /* Platform_Default.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Platform_Default.h; sourceTree = "<group>"; }; - 49A5335016E527820039CB59 /* Render_Device.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Render_Device.cpp; sourceTree = "<group>"; }; - 49A5335116E527820039CB59 /* Render_Device.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Render_Device.h; sourceTree = "<group>"; }; - 49A5335216E527820039CB59 /* Render_Font.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Render_Font.h; sourceTree = "<group>"; }; - 49A5335316E527820039CB59 /* Render_FontEmbed_DejaVu48.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Render_FontEmbed_DejaVu48.h; sourceTree = "<group>"; }; - 49A5335416E527820039CB59 /* Render_GL_Device.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Render_GL_Device.cpp; sourceTree = "<group>"; }; - 49A5335516E527820039CB59 /* Render_GL_Device.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Render_GL_Device.h; sourceTree = "<group>"; }; - 49A5335816E527820039CB59 /* Render_LoadTextureTGA.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Render_LoadTextureTGA.cpp; sourceTree = "<group>"; }; - 49A5336D16E544BE0039CB59 /* libovr.a */ = {isa = PBXFileReference; explicitFileType = archive.ar; includeInIndex = 0; path = libovr.a; sourceTree = BUILT_PRODUCTS_DIR; }; - 49A5337116E544E30039CB59 /* OVR_Alg.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Alg.cpp; sourceTree = "<group>"; }; - 49A5337316E544E30039CB59 /* OVR_Allocator.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Allocator.cpp; sourceTree = "<group>"; }; - 49A5337616E544E30039CB59 /* OVR_Atomic.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Atomic.cpp; sourceTree = "<group>"; }; - 49A5337A16E544E30039CB59 /* OVR_File.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_File.cpp; sourceTree = "<group>"; }; - 49A5337C16E544E30039CB59 /* OVR_FileFILE.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_FileFILE.cpp; sourceTree = "<group>"; }; - 49A5338016E544E30039CB59 /* OVR_Log.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Log.cpp; sourceTree = "<group>"; }; - 49A5338216E544E30039CB59 /* OVR_Math.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Math.cpp; sourceTree = "<group>"; }; - 49A5338416E544E30039CB59 /* OVR_RefCount.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_RefCount.cpp; sourceTree = "<group>"; }; - 49A5338616E544E30039CB59 /* OVR_Std.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Std.cpp; sourceTree = "<group>"; }; - 49A5338816E544E30039CB59 /* OVR_String.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_String.cpp; sourceTree = "<group>"; }; - 49A5338A16E544E30039CB59 /* OVR_String_FormatUtil.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_String_FormatUtil.cpp; sourceTree = "<group>"; }; - 49A5338B16E544E30039CB59 /* OVR_String_PathUtil.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_String_PathUtil.cpp; sourceTree = "<group>"; }; - 49A5338D16E544E30039CB59 /* OVR_SysFile.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_SysFile.cpp; sourceTree = "<group>"; }; - 49A5338F16E544E30039CB59 /* OVR_System.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_System.cpp; sourceTree = "<group>"; }; - 49A5339216E544E30039CB59 /* OVR_ThreadsPthread.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_ThreadsPthread.cpp; sourceTree = "<group>"; }; - 49A5339316E544E30039CB59 /* OVR_Timer.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Timer.cpp; sourceTree = "<group>"; }; - 49A5339616E544E30039CB59 /* OVR_UTF8Util.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_UTF8Util.cpp; sourceTree = "<group>"; }; - 49A5339A16E544E30039CB59 /* OVR_DeviceConstants.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_DeviceConstants.h; sourceTree = "<group>"; }; - 49A5339B16E544E30039CB59 /* OVR_DeviceHandle.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_DeviceHandle.cpp; sourceTree = "<group>"; }; - 49A5339C16E544E30039CB59 /* OVR_DeviceHandle.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_DeviceHandle.h; sourceTree = "<group>"; }; - 49A5339D16E544E30039CB59 /* OVR_DeviceImpl.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_DeviceImpl.cpp; sourceTree = "<group>"; }; - 49A5339E16E544E30039CB59 /* OVR_DeviceImpl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_DeviceImpl.h; sourceTree = "<group>"; }; - 49A5339F16E544E30039CB59 /* OVR_DeviceMessages.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_DeviceMessages.h; sourceTree = "<group>"; }; - 49A533A416E544E30039CB59 /* OVR_SensorFusion.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_SensorFusion.cpp; sourceTree = "<group>"; }; - 49A533A516E544E30039CB59 /* OVR_SensorFusion.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_SensorFusion.h; sourceTree = "<group>"; }; - 49A533A616E544E30039CB59 /* OVR_ThreadCommandQueue.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_ThreadCommandQueue.cpp; sourceTree = "<group>"; }; - 49A533A716E544E30039CB59 /* OVR_ThreadCommandQueue.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_ThreadCommandQueue.h; sourceTree = "<group>"; }; - 49ABA2E81718A38100E288A7 /* AudioToolbox.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = AudioToolbox.framework; path = ../../../../../../../System/Library/Frameworks/AudioToolbox.framework; sourceTree = "<group>"; }; - 49DB65F01718B1E10097A8DD /* ApplicationServices.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = ApplicationServices.framework; path = System/Library/Frameworks/ApplicationServices.framework; sourceTree = SDKROOT; }; - 49DB65F61726F0C30097A8DD /* SensorBoxTest.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = SensorBoxTest.app; sourceTree = BUILT_PRODUCTS_DIR; }; - 9B22CBB517187F5C0046D43D /* tinyxml2.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = tinyxml2.h; path = ../3rdParty/TinyXml/tinyxml2.h; sourceTree = "<group>"; }; - 9B6DEF841728A6560071E76B /* SensorBoxTest.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; name = SensorBoxTest.cpp; path = SensorBox/SensorBoxTest.cpp; sourceTree = "<group>"; }; - 9BA4DDB71727061100CF7715 /* Oculus.icns */ = {isa = PBXFileReference; lastKnownFileType = image.icns; path = Oculus.icns; sourceTree = "<group>"; }; - 9BB10AEF173C4918009ED618 /* OSX_Gamepad.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OSX_Gamepad.cpp; sourceTree = "<group>"; }; - 9BB10AF0173C4918009ED618 /* OSX_Gamepad.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OSX_Gamepad.h; sourceTree = "<group>"; }; - 9BB10AF2173C49AC009ED618 /* Gamepad.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Gamepad.h; sourceTree = "<group>"; }; - 9BBB8901171E2BE200563901 /* OSX_Platform.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OSX_Platform.h; sourceTree = "<group>"; }; - 9BBB8902171E2BE200563901 /* OSX_Platform.mm */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.objcpp; path = OSX_Platform.mm; sourceTree = "<group>"; }; - 9BBB8903171E2BE200563901 /* OSX_PlatformObjc.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OSX_PlatformObjc.h; sourceTree = "<group>"; }; - 9BCE53EB16F028A9007A23FF /* OVR_OSX_DeviceManager.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_OSX_DeviceManager.cpp; sourceTree = "<group>"; }; - 9BCE53EC16F028AA007A23FF /* OVR_OSX_DeviceManager.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_OSX_DeviceManager.h; sourceTree = "<group>"; }; - 9BCE53ED16F028AA007A23FF /* OVR_OSX_HIDDevice.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_OSX_HIDDevice.cpp; sourceTree = "<group>"; }; - 9BCE53EE16F028AA007A23FF /* OVR_OSX_HIDDevice.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_OSX_HIDDevice.h; sourceTree = "<group>"; }; - 9BCE53EF16F028AA007A23FF /* OVR_OSX_HMDDevice.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_OSX_HMDDevice.cpp; sourceTree = "<group>"; }; - 9BCE53F016F028AA007A23FF /* OVR_OSX_HMDDevice.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_OSX_HMDDevice.h; sourceTree = "<group>"; }; - 9BCE53F416F0293A007A23FF /* OVR_HIDDevice.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_HIDDevice.h; sourceTree = "<group>"; }; - 9BCE53F516F0293A007A23FF /* OVR_HIDDeviceBase.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_HIDDeviceBase.h; sourceTree = "<group>"; }; - 9BCE53F616F0293A007A23FF /* OVR_HIDDeviceImpl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_HIDDeviceImpl.h; sourceTree = "<group>"; }; - 9BCE53F716F0293A007A23FF /* OVR_LatencyTestImpl.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_LatencyTestImpl.cpp; sourceTree = "<group>"; }; - 9BCE53F816F0293A007A23FF /* OVR_LatencyTestImpl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_LatencyTestImpl.h; sourceTree = "<group>"; }; - 9BCE53FE16F02A56007A23FF /* OVR_SensorImpl.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_SensorImpl.cpp; sourceTree = "<group>"; }; - 9BCE53FF16F02A56007A23FF /* OVR_SensorImpl.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_SensorImpl.h; sourceTree = "<group>"; }; - 9BCE542416F2694E007A23FF /* OVR_OSX_SensorDevice.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_OSX_SensorDevice.cpp; sourceTree = "<group>"; }; - 9BD2A640172069B300C3C389 /* Util_MagCalibration.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; name = Util_MagCalibration.cpp; path = Util/Util_MagCalibration.cpp; sourceTree = "<group>"; }; - 9BD2A641172069B300C3C389 /* Util_MagCalibration.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = Util_MagCalibration.h; path = Util/Util_MagCalibration.h; sourceTree = "<group>"; }; - 9BD2A644172069BF00C3C389 /* OVR_SensorFilter.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_SensorFilter.cpp; sourceTree = "<group>"; }; - 9BD2A645172069BF00C3C389 /* OVR_SensorFilter.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_SensorFilter.h; sourceTree = "<group>"; }; - 9BEAD55B17187B8A00A8AA1D /* Util_LatencyTest.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; name = Util_LatencyTest.cpp; path = Util/Util_LatencyTest.cpp; sourceTree = "<group>"; }; - 9BEAD55C17187B8A00A8AA1D /* Util_LatencyTest.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = Util_LatencyTest.h; path = Util/Util_LatencyTest.h; sourceTree = "<group>"; }; - 9BEAD55D17187B8A00A8AA1D /* Util_Render_Stereo.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; name = Util_Render_Stereo.cpp; path = Util/Util_Render_Stereo.cpp; sourceTree = "<group>"; }; - 9BEAD55E17187B8A00A8AA1D /* Util_Render_Stereo.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; name = Util_Render_Stereo.h; path = Util/Util_Render_Stereo.h; sourceTree = "<group>"; }; - 9BEAD56317187CFF00A8AA1D /* OSX_WavPlayer.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OSX_WavPlayer.cpp; sourceTree = "<group>"; }; - 9BEAD56417187CFF00A8AA1D /* OSX_WavPlayer.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OSX_WavPlayer.h; sourceTree = "<group>"; }; - 9BEAD56617187E7500A8AA1D /* Render_XmlSceneLoader.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = Render_XmlSceneLoader.cpp; sourceTree = "<group>"; }; - 9BEAD56817187E8300A8AA1D /* Render_XmlSceneLoader.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = Render_XmlSceneLoader.h; sourceTree = "<group>"; }; - C50FA3CC177BB88E00730BB7 /* OVR_JSON.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_JSON.cpp; sourceTree = "<group>"; }; - C50FA3CD177BB88E00730BB7 /* OVR_JSON.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_JSON.h; sourceTree = "<group>"; }; - C50FA3CE177BB88E00730BB7 /* OVR_Profile.cpp */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.cpp.cpp; path = OVR_Profile.cpp; sourceTree = "<group>"; }; - C50FA3CF177BB88E00730BB7 /* OVR_Profile.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = OVR_Profile.h; sourceTree = "<group>"; }; -/* End PBXFileReference section */ - -/* Begin PBXFrameworksBuildPhase section */ - 37973B351739D78B0093BBB8 /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( - 37973B601739FAD50093BBB8 /* CoreFoundation.framework in Frameworks */, - 37973B5F1739FAC80093BBB8 /* ApplicationServices.framework in Frameworks */, - 37973B5E1739FAB60093BBB8 /* OpenGL.framework in Frameworks */, - 37973B5D1739FA920093BBB8 /* IOKit.framework in Frameworks */, - 37973B391739D78B0093BBB8 /* Cocoa.framework in Frameworks */, - 37973B5C1739FA620093BBB8 /* libovr.a in Frameworks */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 4985385A16ECFE92008D0727 /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( - 49DB65F11718B1E10097A8DD /* ApplicationServices.framework in Frameworks */, - 49ABA2E91718A38100E288A7 /* AudioToolbox.framework in Frameworks */, - 4985388A16ECFF53008D0727 /* CoreFoundation.framework in Frameworks */, - 4985388C16ECFF53008D0727 /* IOKit.framework in Frameworks */, - 4985388D16ECFF53008D0727 /* IOSurface.framework in Frameworks */, - 4985388E16ECFF53008D0727 /* OpenGL.framework in Frameworks */, - 4985385E16ECFE92008D0727 /* Cocoa.framework in Frameworks */, - 9BAB70F6170E69530006FE98 /* libovr.a in Frameworks */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 49A5336A16E544BE0039CB59 /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 49DB65F31726F0C30097A8DD /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( - 49DB661A1726F1650097A8DD /* OpenGL.framework in Frameworks */, - 49DB66191726F1530097A8DD /* libovr.a in Frameworks */, - 49DB66181726F13B0097A8DD /* IOKit.framework in Frameworks */, - 49DB66171726F1350097A8DD /* ApplicationServices.framework in Frameworks */, - 49DB65F71726F0C30097A8DD /* Cocoa.framework in Frameworks */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXFrameworksBuildPhase section */ - -/* Begin PBXGroup section */ - 37973B3A1739D78B0093BBB8 /* OculusRoomTiny */ = { - isa = PBXGroup; - children = ( - 37973B571739E9E80093BBB8 /* OSX_OculusRoomTiny.h */, - 37973B581739E9E80093BBB8 /* OSX_OculusRoomTiny.mm */, - 37973B541739E9230093BBB8 /* RenderTiny_GL_Device.cpp */, - 37973B551739E9230093BBB8 /* RenderTiny_GL_Device.h */, - 37973B511739E1D20093BBB8 /* RenderTiny_Device.cpp */, - 37973B521739E1D20093BBB8 /* RenderTiny_Device.h */, - 37973B4F1739E1B60093BBB8 /* OculusRoomModel.cpp */, - ); - path = OculusRoomTiny; - sourceTree = "<group>"; - }; - 4945072116E55A0300B9FF78 /* Frameworks */ = { - isa = PBXGroup; - children = ( - 4945072216E55A0300B9FF78 /* Cocoa.framework */, - 4945072416E55A0300B9FF78 /* Other Frameworks */, - ); - name = Frameworks; - sourceTree = "<group>"; - }; - 4945072416E55A0300B9FF78 /* Other Frameworks */ = { - isa = PBXGroup; - children = ( - 4945072516E55A0300B9FF78 /* AppKit.framework */, - 4945072616E55A0300B9FF78 /* CoreData.framework */, - 4945072716E55A0300B9FF78 /* Foundation.framework */, - ); - name = "Other Frameworks"; - sourceTree = "<group>"; - }; - 49A5332A16E527490039CB59 = { - isa = PBXGroup; - children = ( - 9BA4DDB71727061100CF7715 /* Oculus.icns */, - 49DB65F01718B1E10097A8DD /* ApplicationServices.framework */, - 49ABA2E81718A38100E288A7 /* AudioToolbox.framework */, - 9B22CBB417187F380046D43D /* 3rdParty */, - 9B6DEF831728A60A0071E76B /* SensorBox */, - 9B22CBB317187EC70046D43D /* OculusWorldDemo */, - 4985389616ED1AA7008D0727 /* Assets */, - 37973B3A1739D78B0093BBB8 /* OculusRoomTiny */, - 49A5333416E527490039CB59 /* Products */, - 49A533A816E544E30039CB59 /* Src */, - 49A5334116E527820039CB59 /* Platform */, - 49A5334916E527820039CB59 /* Render */, - 4945071816E5474000B9FF78 /* libGL.dylib */, - 4945071A16E5474A00B9FF78 /* libX11.dylib */, - 4945072116E55A0300B9FF78 /* Frameworks */, - 499ED4C716E6A187008EA2ED /* CoreFoundation.framework */, - 4945071616E546F700B9FF78 /* OpenGL.framework */, - 499ED4C516E6A179008EA2ED /* IOKit.framework */, - 499ED4C916E9880D008EA2ED /* IOSurface.framework */, - ); - sourceTree = "<group>"; - }; - 49A5333416E527490039CB59 /* Products */ = { - isa = PBXGroup; - children = ( - 49A5336D16E544BE0039CB59 /* libovr.a */, - 4985385D16ECFE92008D0727 /* OculusWorldDemo.app */, - 49DB65F61726F0C30097A8DD /* SensorBoxTest.app */, - 37973B381739D78B0093BBB8 /* OculusRoomTiny.app */, - ); - name = Products; - sourceTree = "<group>"; - }; - 49A5334116E527820039CB59 /* Platform */ = { - isa = PBXGroup; - children = ( - 9BB10AF2173C49AC009ED618 /* Gamepad.h */, - 9BB10AEF173C4918009ED618 /* OSX_Gamepad.cpp */, - 9BB10AF0173C4918009ED618 /* OSX_Gamepad.h */, - 9BEAD56317187CFF00A8AA1D /* OSX_WavPlayer.cpp */, - 9BEAD56417187CFF00A8AA1D /* OSX_WavPlayer.h */, - 9BBB8901171E2BE200563901 /* OSX_Platform.h */, - 9BBB8902171E2BE200563901 /* OSX_Platform.mm */, - 9BBB8903171E2BE200563901 /* OSX_PlatformObjc.h */, - 49A5334216E527820039CB59 /* Platform.cpp */, - 49A5334316E527820039CB59 /* Platform.h */, - 49A5334416E527820039CB59 /* Platform_Default.h */, - ); - name = Platform; - path = CommonSrc/Platform; - sourceTree = "<group>"; - }; - 49A5334916E527820039CB59 /* Render */ = { - isa = PBXGroup; - children = ( - 9BEAD56817187E8300A8AA1D /* Render_XmlSceneLoader.h */, - 9BEAD56617187E7500A8AA1D /* Render_XmlSceneLoader.cpp */, - 4985389316ED0218008D0727 /* Render_LoadTextureDDS.cpp */, - 49A5335016E527820039CB59 /* Render_Device.cpp */, - 49A5335116E527820039CB59 /* Render_Device.h */, - 49A5335216E527820039CB59 /* Render_Font.h */, - 49A5335316E527820039CB59 /* Render_FontEmbed_DejaVu48.h */, - 49A5335416E527820039CB59 /* Render_GL_Device.cpp */, - 49A5335516E527820039CB59 /* Render_GL_Device.h */, - 49A5335816E527820039CB59 /* Render_LoadTextureTGA.cpp */, - ); - name = Render; - path = CommonSrc/Render; - sourceTree = "<group>"; - }; - 49A5339816E544E30039CB59 /* Kernel */ = { - isa = PBXGroup; - children = ( - 499ED49B16E57027008EA2ED /* OVR_Alg.h */, - 499ED49C16E57027008EA2ED /* OVR_Allocator.h */, - 499ED49D16E57027008EA2ED /* OVR_Array.h */, - 499ED49E16E57027008EA2ED /* OVR_Atomic.h */, - 499ED49F16E57027008EA2ED /* OVR_Color.h */, - 499ED4A016E57027008EA2ED /* OVR_ContainerAllocator.h */, - 499ED4A116E57027008EA2ED /* OVR_File.h */, - 499ED4A216E57027008EA2ED /* OVR_Hash.h */, - 499ED4A316E57027008EA2ED /* OVR_KeyCodes.h */, - 499ED4A416E57027008EA2ED /* OVR_List.h */, - 499ED4A516E57027008EA2ED /* OVR_Log.h */, - 499ED4A616E57027008EA2ED /* OVR_Math.h */, - 499ED4A716E57027008EA2ED /* OVR_RefCount.h */, - 499ED4A816E57027008EA2ED /* OVR_Std.h */, - 499ED4A916E57027008EA2ED /* OVR_String.h */, - 499ED4AA16E57027008EA2ED /* OVR_StringHash.h */, - 499ED4AB16E57027008EA2ED /* OVR_SysFile.h */, - 499ED4AC16E57027008EA2ED /* OVR_System.h */, - 499ED4AD16E57027008EA2ED /* OVR_Threads.h */, - 499ED4AE16E57027008EA2ED /* OVR_ThreadsWinAPI.cpp */, - 499ED4AF16E57027008EA2ED /* OVR_Timer.h */, - 499ED4B016E57027008EA2ED /* OVR_Types.h */, - 499ED4B116E57027008EA2ED /* OVR_UTF8Util.h */, - 49A5337116E544E30039CB59 /* OVR_Alg.cpp */, - 49A5337316E544E30039CB59 /* OVR_Allocator.cpp */, - 49A5337616E544E30039CB59 /* OVR_Atomic.cpp */, - 49A5337A16E544E30039CB59 /* OVR_File.cpp */, - 49A5337C16E544E30039CB59 /* OVR_FileFILE.cpp */, - 49A5338016E544E30039CB59 /* OVR_Log.cpp */, - 49A5338216E544E30039CB59 /* OVR_Math.cpp */, - 49A5338416E544E30039CB59 /* OVR_RefCount.cpp */, - 49A5338616E544E30039CB59 /* OVR_Std.cpp */, - 49A5338816E544E30039CB59 /* OVR_String.cpp */, - 49A5338A16E544E30039CB59 /* OVR_String_FormatUtil.cpp */, - 49A5338B16E544E30039CB59 /* OVR_String_PathUtil.cpp */, - 49A5338D16E544E30039CB59 /* OVR_SysFile.cpp */, - 49A5338F16E544E30039CB59 /* OVR_System.cpp */, - 49A5339216E544E30039CB59 /* OVR_ThreadsPthread.cpp */, - 49A5339316E544E30039CB59 /* OVR_Timer.cpp */, - 49A5339616E544E30039CB59 /* OVR_UTF8Util.cpp */, - ); - path = Kernel; - sourceTree = "<group>"; - }; - 49A533A816E544E30039CB59 /* Src */ = { - isa = PBXGroup; - children = ( - C50FA3CC177BB88E00730BB7 /* OVR_JSON.cpp */, - C50FA3CD177BB88E00730BB7 /* OVR_JSON.h */, - C50FA3CE177BB88E00730BB7 /* OVR_Profile.cpp */, - C50FA3CF177BB88E00730BB7 /* OVR_Profile.h */, - 9BD2A644172069BF00C3C389 /* OVR_SensorFilter.cpp */, - 9BD2A645172069BF00C3C389 /* OVR_SensorFilter.h */, - 9BEAD55A17187B5500A8AA1D /* Util */, - 49A5339816E544E30039CB59 /* Kernel */, - 9BCE542416F2694E007A23FF /* OVR_OSX_SensorDevice.cpp */, - 9BCE53EB16F028A9007A23FF /* OVR_OSX_DeviceManager.cpp */, - 9BCE53EC16F028AA007A23FF /* OVR_OSX_DeviceManager.h */, - 9BCE53ED16F028AA007A23FF /* OVR_OSX_HIDDevice.cpp */, - 9BCE53EE16F028AA007A23FF /* OVR_OSX_HIDDevice.h */, - 9BCE53EF16F028AA007A23FF /* OVR_OSX_HMDDevice.cpp */, - 9BCE53F016F028AA007A23FF /* OVR_OSX_HMDDevice.h */, - 499ED4B216E5703B008EA2ED /* OVR_Device.h */, - 49A5339A16E544E30039CB59 /* OVR_DeviceConstants.h */, - 49A5339B16E544E30039CB59 /* OVR_DeviceHandle.cpp */, - 49A5339C16E544E30039CB59 /* OVR_DeviceHandle.h */, - 49A5339D16E544E30039CB59 /* OVR_DeviceImpl.cpp */, - 49A5339E16E544E30039CB59 /* OVR_DeviceImpl.h */, - 49A5339F16E544E30039CB59 /* OVR_DeviceMessages.h */, - 9BCE53FE16F02A56007A23FF /* OVR_SensorImpl.cpp */, - 9BCE53FF16F02A56007A23FF /* OVR_SensorImpl.h */, - 9BCE53F416F0293A007A23FF /* OVR_HIDDevice.h */, - 9BCE53F516F0293A007A23FF /* OVR_HIDDeviceBase.h */, - 9BCE53F616F0293A007A23FF /* OVR_HIDDeviceImpl.h */, - 9BCE53F716F0293A007A23FF /* OVR_LatencyTestImpl.cpp */, - 9BCE53F816F0293A007A23FF /* OVR_LatencyTestImpl.h */, - 49A533A416E544E30039CB59 /* OVR_SensorFusion.cpp */, - 49A533A516E544E30039CB59 /* OVR_SensorFusion.h */, - 49A533A616E544E30039CB59 /* OVR_ThreadCommandQueue.cpp */, - 49A533A716E544E30039CB59 /* OVR_ThreadCommandQueue.h */, - ); - name = Src; - path = ../LibOVR/Src; - sourceTree = "<group>"; - }; - 9B22CBB317187EC70046D43D /* OculusWorldDemo */ = { - isa = PBXGroup; - children = ( - 4985388216ECFF23008D0727 /* Player.cpp */, - 4985388316ECFF23008D0727 /* Player.h */, - 4985388116ECFF23008D0727 /* OculusWorldDemo.cpp */, - ); - name = OculusWorldDemo; - sourceTree = "<group>"; - }; - 9B22CBB417187F380046D43D /* 3rdParty */ = { - isa = PBXGroup; - children = ( - 9B22CBB517187F5C0046D43D /* tinyxml2.h */, - 4985389116ED0204008D0727 /* tinyxml2.cpp */, - ); - name = 3rdParty; - sourceTree = "<group>"; - }; - 9B6DEF831728A60A0071E76B /* SensorBox */ = { - isa = PBXGroup; - children = ( - 9B6DEF841728A6560071E76B /* SensorBoxTest.cpp */, - ); - name = SensorBox; - sourceTree = "<group>"; - }; - 9BEAD55A17187B5500A8AA1D /* Util */ = { - isa = PBXGroup; - children = ( - 9BD2A640172069B300C3C389 /* Util_MagCalibration.cpp */, - 9BD2A641172069B300C3C389 /* Util_MagCalibration.h */, - 9BEAD55B17187B8A00A8AA1D /* Util_LatencyTest.cpp */, - 9BEAD55C17187B8A00A8AA1D /* Util_LatencyTest.h */, - 9BEAD55D17187B8A00A8AA1D /* Util_Render_Stereo.cpp */, - 9BEAD55E17187B8A00A8AA1D /* Util_Render_Stereo.h */, - ); - name = Util; - sourceTree = "<group>"; - }; -/* End PBXGroup section */ - -/* Begin PBXHeadersBuildPhase section */ - 49A5336B16E544BE0039CB59 /* Headers */ = { - isa = PBXHeadersBuildPhase; - buildActionMask = 2147483647; - files = ( - 9BCE53F916F0293A007A23FF /* OVR_HIDDevice.h in Headers */, - 9BCE53FA16F0293A007A23FF /* OVR_HIDDeviceBase.h in Headers */, - 9BCE53FB16F0293A007A23FF /* OVR_HIDDeviceImpl.h in Headers */, - 9BCE53FD16F0293A007A23FF /* OVR_LatencyTestImpl.h in Headers */, - 9BCE540116F02A56007A23FF /* OVR_SensorImpl.h in Headers */, - 9BCE541816F02ADB007A23FF /* OVR_OSX_DeviceManager.h in Headers */, - 9BCE541916F02AE6007A23FF /* OVR_OSX_HIDDevice.h in Headers */, - 9BCE541B16F02AF1007A23FF /* OVR_OSX_HMDDevice.h in Headers */, - 9BCE541C16F02B04007A23FF /* OVR_Device.h in Headers */, - 9BCE541D16F02B13007A23FF /* OVR_DeviceConstants.h in Headers */, - 9BCE541E16F02B1D007A23FF /* OVR_DeviceHandle.h in Headers */, - 9BCE541F16F02B26007A23FF /* OVR_DeviceImpl.h in Headers */, - 9BCE542016F02B2A007A23FF /* OVR_DeviceMessages.h in Headers */, - 9BCE542216F02B88007A23FF /* OVR_SensorFusion.h in Headers */, - 9BCE542316F02B91007A23FF /* OVR_ThreadCommandQueue.h in Headers */, - 9BEAD56017187B8A00A8AA1D /* Util_LatencyTest.h in Headers */, - 9BEAD56217187B8A00A8AA1D /* Util_Render_Stereo.h in Headers */, - 9BD2A643172069B300C3C389 /* Util_MagCalibration.h in Headers */, - 9BD2A647172069BF00C3C389 /* OVR_SensorFilter.h in Headers */, - C50FA3D1177BB88E00730BB7 /* OVR_JSON.h in Headers */, - C50FA3D3177BB88E00730BB7 /* OVR_Profile.h in Headers */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXHeadersBuildPhase section */ - -/* Begin PBXNativeTarget section */ - 37973B371739D78B0093BBB8 /* OculusRoomTiny */ = { - isa = PBXNativeTarget; - buildConfigurationList = 37973B4E1739D7930093BBB8 /* Build configuration list for PBXNativeTarget "OculusRoomTiny" */; - buildPhases = ( - 37973B341739D78B0093BBB8 /* Sources */, - 37973B351739D78B0093BBB8 /* Frameworks */, - 37973B361739D78B0093BBB8 /* Resources */, - ); - buildRules = ( - ); - dependencies = ( - 37973B5B1739FA100093BBB8 /* PBXTargetDependency */, - ); - name = OculusRoomTiny; - productName = OculusRoomTiny; - productReference = 37973B381739D78B0093BBB8 /* OculusRoomTiny.app */; - productType = "com.apple.product-type.application"; - }; - 4985385C16ECFE92008D0727 /* OculusWorldDemo */ = { - isa = PBXNativeTarget; - buildConfigurationList = 4985387116ECFE92008D0727 /* Build configuration list for PBXNativeTarget "OculusWorldDemo" */; - buildPhases = ( - 4985385916ECFE92008D0727 /* Sources */, - 4985385A16ECFE92008D0727 /* Frameworks */, - 4985385B16ECFE92008D0727 /* Resources */, - ); - buildRules = ( - ); - dependencies = ( - 4985389016ECFF5C008D0727 /* PBXTargetDependency */, - ); - name = OculusWorldDemo; - productName = OculusWorldDemo; - productReference = 4985385D16ECFE92008D0727 /* OculusWorldDemo.app */; - productType = "com.apple.product-type.application"; - }; - 49A5336C16E544BE0039CB59 /* ovr */ = { - isa = PBXNativeTarget; - buildConfigurationList = 49A5336E16E544BE0039CB59 /* Build configuration list for PBXNativeTarget "ovr" */; - buildPhases = ( - 49A5336916E544BE0039CB59 /* Sources */, - 49A5336A16E544BE0039CB59 /* Frameworks */, - 49A5336B16E544BE0039CB59 /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = ovr; - productName = ovr; - productReference = 49A5336D16E544BE0039CB59 /* libovr.a */; - productType = "com.apple.product-type.library.static"; - }; - 49DB65F51726F0C30097A8DD /* SensorBoxTest */ = { - isa = PBXNativeTarget; - buildConfigurationList = 49DB660C1726F0C30097A8DD /* Build configuration list for PBXNativeTarget "SensorBoxTest" */; - buildPhases = ( - 49DB65F21726F0C30097A8DD /* Sources */, - 49DB65F31726F0C30097A8DD /* Frameworks */, - 49DB65F41726F0C30097A8DD /* Resources */, - ); - buildRules = ( - ); - dependencies = ( - 49DB660E1726F0CD0097A8DD /* PBXTargetDependency */, - ); - name = SensorBoxTest; - productName = SensorBoxTest; - productReference = 49DB65F61726F0C30097A8DD /* SensorBoxTest.app */; - productType = "com.apple.product-type.application"; - }; -/* End PBXNativeTarget section */ - -/* Begin PBXProject section */ - 49A5332B16E527490039CB59 /* Project object */ = { - isa = PBXProject; - attributes = { - LastUpgradeCheck = 0460; - ORGANIZATIONNAME = "Oculus VR"; - }; - buildConfigurationList = 49A5332E16E527490039CB59 /* Build configuration list for PBXProject "LibOVR_With_Samples" */; - compatibilityVersion = "Xcode 3.2"; - developmentRegion = English; - hasScannedForEncodings = 0; - knownRegions = ( - en, - ); - mainGroup = 49A5332A16E527490039CB59; - productRefGroup = 49A5333416E527490039CB59 /* Products */; - projectDirPath = ""; - projectRoot = ""; - targets = ( - 49A5336C16E544BE0039CB59 /* ovr */, - 4985385C16ECFE92008D0727 /* OculusWorldDemo */, - 49DB65F51726F0C30097A8DD /* SensorBoxTest */, - 37973B371739D78B0093BBB8 /* OculusRoomTiny */, - ); - }; -/* End PBXProject section */ - -/* Begin PBXResourcesBuildPhase section */ - 37973B361739D78B0093BBB8 /* Resources */ = { - isa = PBXResourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 4985385B16ECFE92008D0727 /* Resources */ = { - isa = PBXResourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 4985389716ED1AA7008D0727 /* Assets in Resources */, - 9BA4DDB81727061100CF7715 /* Oculus.icns in Resources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 49DB65F41726F0C30097A8DD /* Resources */ = { - isa = PBXResourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 9BA4DDB91727083500CF7715 /* Oculus.icns in Resources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXResourcesBuildPhase section */ - -/* Begin PBXSourcesBuildPhase section */ - 37973B341739D78B0093BBB8 /* Sources */ = { - isa = PBXSourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 37973B501739E1B60093BBB8 /* OculusRoomModel.cpp in Sources */, - 37973B531739E1D20093BBB8 /* RenderTiny_Device.cpp in Sources */, - 37973B561739E9230093BBB8 /* RenderTiny_GL_Device.cpp in Sources */, - 37973B591739E9E80093BBB8 /* OSX_OculusRoomTiny.mm in Sources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 4985385916ECFE92008D0727 /* Sources */ = { - isa = PBXSourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 4985388616ECFF2D008D0727 /* OculusWorldDemo.cpp in Sources */, - 4985388716ECFF2D008D0727 /* Player.cpp in Sources */, - 4985388016ECFEE5008D0727 /* Platform.cpp in Sources */, - 4985387416ECFED8008D0727 /* Render_Device.cpp in Sources */, - 4985387816ECFED8008D0727 /* Render_GL_Device.cpp in Sources */, - 4985387A16ECFED8008D0727 /* Render_LoadTextureTGA.cpp in Sources */, - 4985389216ED0204008D0727 /* tinyxml2.cpp in Sources */, - 4985389516ED0218008D0727 /* Render_LoadTextureDDS.cpp in Sources */, - 9BEAD56517187CFF00A8AA1D /* OSX_WavPlayer.cpp in Sources */, - 9BEAD56717187E7500A8AA1D /* Render_XmlSceneLoader.cpp in Sources */, - 9BA4DDB61721E12400CF7715 /* OSX_Platform.mm in Sources */, - 9BB10AF1173C4918009ED618 /* OSX_Gamepad.cpp in Sources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 49A5336916E544BE0039CB59 /* Sources */ = { - isa = PBXSourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 4945070616E5462A00B9FF78 /* OVR_DeviceHandle.cpp in Sources */, - 4945070816E5462A00B9FF78 /* OVR_DeviceImpl.cpp in Sources */, - 4945070F16E5462A00B9FF78 /* OVR_SensorFusion.cpp in Sources */, - 4945071116E5462A00B9FF78 /* OVR_ThreadCommandQueue.cpp in Sources */, - 494506DD16E5461F00B9FF78 /* OVR_Alg.cpp in Sources */, - 494506DF16E5461F00B9FF78 /* OVR_Allocator.cpp in Sources */, - 494506E216E5461F00B9FF78 /* OVR_Atomic.cpp in Sources */, - 494506E616E5461F00B9FF78 /* OVR_File.cpp in Sources */, - 494506E816E5461F00B9FF78 /* OVR_FileFILE.cpp in Sources */, - 494506EC16E5461F00B9FF78 /* OVR_Log.cpp in Sources */, - 494506EE16E5461F00B9FF78 /* OVR_Math.cpp in Sources */, - 494506F016E5461F00B9FF78 /* OVR_RefCount.cpp in Sources */, - 494506F216E5461F00B9FF78 /* OVR_Std.cpp in Sources */, - 494506F416E5461F00B9FF78 /* OVR_String.cpp in Sources */, - 494506F616E5461F00B9FF78 /* OVR_String_FormatUtil.cpp in Sources */, - 494506F716E5461F00B9FF78 /* OVR_String_PathUtil.cpp in Sources */, - 494506F916E5461F00B9FF78 /* OVR_SysFile.cpp in Sources */, - 494506FB16E5461F00B9FF78 /* OVR_System.cpp in Sources */, - 494506FE16E5461F00B9FF78 /* OVR_ThreadsPthread.cpp in Sources */, - 494506FF16E5461F00B9FF78 /* OVR_Timer.cpp in Sources */, - 4945070216E5461F00B9FF78 /* OVR_UTF8Util.cpp in Sources */, - 9BCE53FC16F0293A007A23FF /* OVR_LatencyTestImpl.cpp in Sources */, - 9BCE540016F02A56007A23FF /* OVR_SensorImpl.cpp in Sources */, - 9BCE541616F02ABC007A23FF /* OVR_OSX_DeviceManager.cpp in Sources */, - 9BCE541716F02AD5007A23FF /* OVR_OSX_HIDDevice.cpp in Sources */, - 9BCE541A16F02AEB007A23FF /* OVR_OSX_HMDDevice.cpp in Sources */, - 9BCE542516F2694F007A23FF /* OVR_OSX_SensorDevice.cpp in Sources */, - 9BEAD55F17187B8A00A8AA1D /* Util_LatencyTest.cpp in Sources */, - 9BEAD56117187B8A00A8AA1D /* Util_Render_Stereo.cpp in Sources */, - 9BD2A642172069B300C3C389 /* Util_MagCalibration.cpp in Sources */, - 9BD2A646172069BF00C3C389 /* OVR_SensorFilter.cpp in Sources */, - C50FA3D0177BB88E00730BB7 /* OVR_JSON.cpp in Sources */, - C50FA3D2177BB88E00730BB7 /* OVR_Profile.cpp in Sources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; - 49DB65F21726F0C30097A8DD /* Sources */ = { - isa = PBXSourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - 439FE6E217BE2E21007EFD34 /* OSX_Gamepad.cpp in Sources */, - 49DB66111726F0F80097A8DD /* Render_LoadTextureDDS.cpp in Sources */, - 49DB66121726F0F80097A8DD /* Render_Device.cpp in Sources */, - 49DB66131726F0F80097A8DD /* Render_GL_Device.cpp in Sources */, - 49DB66141726F0F80097A8DD /* Render_LoadTextureTGA.cpp in Sources */, - 49DB660F1726F0EA0097A8DD /* OSX_Platform.mm in Sources */, - 49DB66101726F0EA0097A8DD /* Platform.cpp in Sources */, - 9B6DEF851728A6560071E76B /* SensorBoxTest.cpp in Sources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXSourcesBuildPhase section */ - -/* Begin PBXTargetDependency section */ - 37973B5B1739FA100093BBB8 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - target = 49A5336C16E544BE0039CB59 /* ovr */; - targetProxy = 37973B5A1739FA100093BBB8 /* PBXContainerItemProxy */; - }; - 4985389016ECFF5C008D0727 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - target = 49A5336C16E544BE0039CB59 /* ovr */; - targetProxy = 4985388F16ECFF5C008D0727 /* PBXContainerItemProxy */; - }; - 49DB660E1726F0CD0097A8DD /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - target = 49A5336C16E544BE0039CB59 /* ovr */; - targetProxy = 49DB660D1726F0CD0097A8DD /* PBXContainerItemProxy */; - }; -/* End PBXTargetDependency section */ - -/* Begin XCBuildConfiguration section */ - 37973B4C1739D78C0093BBB8 /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - CLANG_CXX_LIBRARY = "libstdc++"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = "$(SYMROOT)"; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - GCC_PREPROCESSOR_DEFINITIONS = ( - "DEBUG=1", - "$(inherited)", - ); - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - ); - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/OculusRoomTiny-Info.plist"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = OculusRoomTiny/MacOS/Debug; - WRAPPER_EXTENSION = app; - }; - name = Debug; - }; - 37973B4D1739D78C0093BBB8 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - CLANG_CXX_LIBRARY = "libstdc++"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = "$(SYMROOT)"; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - ); - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/OculusRoomTiny-Info.plist"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = OculusRoomTiny/MacOS/Release; - WRAPPER_EXTENSION = app; - }; - name = Release; - }; - 4985387216ECFE92008D0727 /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - ARCHS = "$(ARCHS_STANDARD_64_BIT)"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = OculusWorldDemo/MacOS/Debug; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - GCC_PREFIX_HEADER = ""; - GCC_PREPROCESSOR_DEFINITIONS = ( - "DEBUG=1", - "$(inherited)", - ); - "GCC_PREPROCESSOR_DEFINITIONS[arch=*]" = ( - "DEBUG=1", - "$(inherited)", - ); - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - CommonSrc, - ../3rdParty/TinyXml, - ); - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/OculusWorldDemo-Info.plist"; - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = OculusWorldDemo/MacOS/Debug; - WRAPPER_EXTENSION = app; - }; - name = Debug; - }; - 4985387316ECFE92008D0727 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ARCHS = "$(ARCHS_STANDARD_64_BIT)"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = OculusWorldDemo/MacOS/Release; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - GCC_PREFIX_HEADER = ""; - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - CommonSrc, - ../3rdParty/TinyXml, - ); - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/OculusWorldDemo-Info.plist"; - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = OculusWorldDemo/MacOS/Release; - WRAPPER_EXTENSION = app; - }; - name = Release; - }; - 49A5333A16E527490039CB59 /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - ARCHS = "$(ARCHS_STANDARD_64_BIT)"; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libstdc++"; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - CONFIGURATION_BUILD_DIR = ../LibOVR/Lib/MacOS/Debug; - COPY_PHASE_STRIP = NO; - DEBUG_INFORMATION_FORMAT = dwarf; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_DYNAMIC_NO_PIC = NO; - GCC_ENABLE_CPP_EXCEPTIONS = NO; - GCC_ENABLE_CPP_RTTI = NO; - GCC_ENABLE_OBJC_EXCEPTIONS = YES; - GCC_OPTIMIZATION_LEVEL = 0; - GCC_PREPROCESSOR_DEFINITIONS = ( - "DEBUG=1", - OVR_BUILD_DEBUG, - "$(inherited)", - ); - GCC_SYMBOLS_PRIVATE_EXTERN = NO; - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - CommonSrc, - ); - LIBRARY_SEARCH_PATHS = "../LibOVR/Lib/MacOS/$(CONFIGURATION)"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - SDKROOT = macosx; - SUPPORTED_PLATFORMS = macosx; - }; - name = Debug; - }; - 49A5333B16E527490039CB59 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - ARCHS = "$(ARCHS_STANDARD_64_BIT)"; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libstdc++"; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - CONFIGURATION_BUILD_DIR = ../LibOVR/Lib/MacOS/Release; - COPY_PHASE_STRIP = YES; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_ENABLE_CPP_EXCEPTIONS = NO; - GCC_ENABLE_CPP_RTTI = NO; - GCC_ENABLE_OBJC_EXCEPTIONS = YES; - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - HEADER_SEARCH_PATHS = ( - ../LibOVR/Src, - ../LibOVR/Include, - CommonSrc, - ); - LIBRARY_SEARCH_PATHS = "../LibOVR/Lib/MacOS/$(CONFIGURATION)"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - SDKROOT = macosx; - SUPPORTED_PLATFORMS = macosx; - }; - name = Release; - }; - 49A5336F16E544BE0039CB59 /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; - COMBINE_HIDPI_IMAGES = YES; - EXECUTABLE_PREFIX = lib; - GCC_ENABLE_CPP_EXCEPTIONS = NO; - GCC_ENABLE_CPP_RTTI = NO; - GCC_PREPROCESSOR_DEFINITIONS = "$(inherited)"; - LIBRARY_SEARCH_PATHS = ( - "../LIbOVR/MacOS/$(CONFIGURATION)", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/Debug\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Debug/ovr.build/Objects-normal/i386\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Debug/ovr.build/Objects-normal/x86_64\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Release/ovr.build/Objects-normal/i386\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Release/ovr.build/Objects-normal/x86_64\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/Release\"", - "\"$(SRCROOT)/../LibOVR/Lib/Win32\"", - "\"$(SRCROOT)/../LibOVR/Lib/x64\"", - ); - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = ../LibOVR/Lib/MacOS; - }; - name = Debug; - }; - 49A5337016E544BE0039CB59 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ARCHS = "$(ARCHS_STANDARD_32_64_BIT)"; - COMBINE_HIDPI_IMAGES = YES; - EXECUTABLE_PREFIX = lib; - GCC_ENABLE_CPP_EXCEPTIONS = NO; - GCC_ENABLE_CPP_RTTI = NO; - LIBRARY_SEARCH_PATHS = ( - "../LIbOVR/MacOS/$(CONFIGURATION)", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/Debug\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Debug/ovr.build/Objects-normal/i386\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Debug/ovr.build/Objects-normal/x86_64\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Release/ovr.build/Objects-normal/i386\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/LibOVR_With_Samples.build/Release/ovr.build/Objects-normal/x86_64\"", - "\"$(SRCROOT)/../LibOVR/Lib/MacOS/Release\"", - "\"$(SRCROOT)/../LibOVR/Lib/Win32\"", - "\"$(SRCROOT)/../LibOVR/Lib/x64\"", - ); - PRODUCT_NAME = "$(TARGET_NAME)"; - SYMROOT = ../LibOVR/Lib/MacOS; - }; - name = Release; - }; - 49DB660A1726F0C30097A8DD /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - CLANG_CXX_LIBRARY = "libstdc++"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = Samples/SensorBoxTest/MacOS/Debug; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - GCC_PREFIX_HEADER = ""; - GCC_PREPROCESSOR_DEFINITIONS = ( - "DEBUG=1", - "$(inherited)", - ); - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/SensorBoxTest-Info.plist"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - PRODUCT_NAME = "$(TARGET_NAME)"; - WRAPPER_EXTENSION = app; - }; - name = Debug; - }; - 49DB660B1726F0C30097A8DD /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - CLANG_CXX_LIBRARY = "libstdc++"; - COMBINE_HIDPI_IMAGES = YES; - CONFIGURATION_BUILD_DIR = Samples/SensorBoxTest/MacOS/Release; - GCC_PRECOMPILE_PREFIX_HEADER = NO; - GCC_PREFIX_HEADER = ""; - INFOPLIST_FILE = "LibOVR_With_Samples.xcodeproj/SensorBoxTest-Info.plist"; - MACOSX_DEPLOYMENT_TARGET = 10.6; - ONLY_ACTIVE_ARCH = NO; - PRODUCT_NAME = "$(TARGET_NAME)"; - WRAPPER_EXTENSION = app; - }; - name = Release; - }; -/* End XCBuildConfiguration section */ - -/* Begin XCConfigurationList section */ - 37973B4E1739D7930093BBB8 /* Build configuration list for PBXNativeTarget "OculusRoomTiny" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 37973B4C1739D78C0093BBB8 /* Debug */, - 37973B4D1739D78C0093BBB8 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - 4985387116ECFE92008D0727 /* Build configuration list for PBXNativeTarget "OculusWorldDemo" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 4985387216ECFE92008D0727 /* Debug */, - 4985387316ECFE92008D0727 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - 49A5332E16E527490039CB59 /* Build configuration list for PBXProject "LibOVR_With_Samples" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 49A5333A16E527490039CB59 /* Debug */, - 49A5333B16E527490039CB59 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - 49A5336E16E544BE0039CB59 /* Build configuration list for PBXNativeTarget "ovr" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 49A5336F16E544BE0039CB59 /* Debug */, - 49A5337016E544BE0039CB59 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - 49DB660C1726F0C30097A8DD /* Build configuration list for PBXNativeTarget "SensorBoxTest" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 49DB660A1726F0C30097A8DD /* Debug */, - 49DB660B1726F0C30097A8DD /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; -/* End XCConfigurationList section */ - }; - rootObject = 49A5332B16E527490039CB59 /* Project object */; -} diff --git a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/contents.xcworkspacedata b/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/contents.xcworkspacedata deleted file mode 100644 index 1a80571..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/contents.xcworkspacedata +++ /dev/null @@ -1,7 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<Workspace - version = "1.0"> - <FileRef - location = "self:LibOVR_With_Samples.xcodeproj"> - </FileRef> -</Workspace> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/UserInterfaceState.xcuserstate b/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/UserInterfaceState.xcuserstate Binary files differdeleted file mode 100644 index be3c4ab..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/UserInterfaceState.xcuserstate +++ /dev/null diff --git a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/WorkspaceSettings.xcsettings b/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/WorkspaceSettings.xcsettings deleted file mode 100644 index 5202989..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/project.xcworkspace/xcuserdata/Nate.xcuserdatad/WorkspaceSettings.xcsettings +++ /dev/null @@ -1,20 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> -<plist version="1.0"> -<dict> - <key>BuildLocationStyle</key> - <string>UseTargetSettings</string> - <key>CustomBuildLocationType</key> - <string>RelativeToDerivedData</string> - <key>DerivedDataLocationStyle</key> - <string>Default</string> - <key>IssueFilterStyle</key> - <string>ShowActiveSchemeOnly</string> - <key>LiveSourceIssuesEnabled</key> - <true/> - <key>SnapshotAutomaticallyBeforeSignificantChanges</key> - <true/> - <key>SnapshotLocationStyle</key> - <string>Default</string> -</dict> -</plist> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusRoomTiny.xcscheme b/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusRoomTiny.xcscheme deleted file mode 100644 index ca15d67..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusRoomTiny.xcscheme +++ /dev/null @@ -1,86 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<Scheme - LastUpgradeVersion = "0460" - version = "1.3"> - <BuildAction - parallelizeBuildables = "YES" - buildImplicitDependencies = "YES"> - <BuildActionEntries> - <BuildActionEntry - buildForTesting = "YES" - buildForRunning = "YES" - buildForProfiling = "YES" - buildForArchiving = "YES" - buildForAnalyzing = "YES"> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "37973B371739D78B0093BBB8" - BuildableName = "OculusRoomTiny.app" - BlueprintName = "OculusRoomTiny" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildActionEntry> - </BuildActionEntries> - </BuildAction> - <TestAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - shouldUseLaunchSchemeArgsEnv = "YES" - buildConfiguration = "Debug"> - <Testables> - </Testables> - <MacroExpansion> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "37973B371739D78B0093BBB8" - BuildableName = "OculusRoomTiny.app" - BlueprintName = "OculusRoomTiny" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </MacroExpansion> - </TestAction> - <LaunchAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - launchStyle = "0" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Debug" - ignoresPersistentStateOnLaunch = "NO" - debugDocumentVersioning = "YES" - allowLocationSimulation = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "37973B371739D78B0093BBB8" - BuildableName = "OculusRoomTiny.app" - BlueprintName = "OculusRoomTiny" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - <AdditionalOptions> - </AdditionalOptions> - </LaunchAction> - <ProfileAction - shouldUseLaunchSchemeArgsEnv = "YES" - savedToolIdentifier = "" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Release" - debugDocumentVersioning = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "37973B371739D78B0093BBB8" - BuildableName = "OculusRoomTiny.app" - BlueprintName = "OculusRoomTiny" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - </ProfileAction> - <AnalyzeAction - buildConfiguration = "Debug"> - </AnalyzeAction> - <ArchiveAction - buildConfiguration = "Release" - revealArchiveInOrganizer = "YES"> - </ArchiveAction> -</Scheme> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusWorldDemo.xcscheme b/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusWorldDemo.xcscheme deleted file mode 100644 index df712e0..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/OculusWorldDemo.xcscheme +++ /dev/null @@ -1,86 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<Scheme - LastUpgradeVersion = "0460" - version = "1.3"> - <BuildAction - parallelizeBuildables = "YES" - buildImplicitDependencies = "YES"> - <BuildActionEntries> - <BuildActionEntry - buildForTesting = "YES" - buildForRunning = "YES" - buildForProfiling = "YES" - buildForArchiving = "YES" - buildForAnalyzing = "YES"> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "4985385C16ECFE92008D0727" - BuildableName = "OculusWorldDemo.app" - BlueprintName = "OculusWorldDemo" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildActionEntry> - </BuildActionEntries> - </BuildAction> - <TestAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - shouldUseLaunchSchemeArgsEnv = "YES" - buildConfiguration = "Debug"> - <Testables> - </Testables> - <MacroExpansion> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "4985385C16ECFE92008D0727" - BuildableName = "OculusWorldDemo.app" - BlueprintName = "OculusWorldDemo" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </MacroExpansion> - </TestAction> - <LaunchAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - launchStyle = "0" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Debug" - ignoresPersistentStateOnLaunch = "NO" - debugDocumentVersioning = "YES" - allowLocationSimulation = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "4985385C16ECFE92008D0727" - BuildableName = "OculusWorldDemo.app" - BlueprintName = "OculusWorldDemo" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - <AdditionalOptions> - </AdditionalOptions> - </LaunchAction> - <ProfileAction - shouldUseLaunchSchemeArgsEnv = "YES" - savedToolIdentifier = "" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Release" - debugDocumentVersioning = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "4985385C16ECFE92008D0727" - BuildableName = "OculusWorldDemo.app" - BlueprintName = "OculusWorldDemo" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - </ProfileAction> - <AnalyzeAction - buildConfiguration = "Debug"> - </AnalyzeAction> - <ArchiveAction - buildConfiguration = "Release" - revealArchiveInOrganizer = "YES"> - </ArchiveAction> -</Scheme> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/SensorBoxTest.xcscheme b/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/SensorBoxTest.xcscheme deleted file mode 100644 index 355208d..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/SensorBoxTest.xcscheme +++ /dev/null @@ -1,86 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<Scheme - LastUpgradeVersion = "0460" - version = "1.3"> - <BuildAction - parallelizeBuildables = "YES" - buildImplicitDependencies = "YES"> - <BuildActionEntries> - <BuildActionEntry - buildForTesting = "YES" - buildForRunning = "YES" - buildForProfiling = "YES" - buildForArchiving = "YES" - buildForAnalyzing = "YES"> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "49DB65F51726F0C30097A8DD" - BuildableName = "SensorBoxTest.app" - BlueprintName = "SensorBoxTest" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildActionEntry> - </BuildActionEntries> - </BuildAction> - <TestAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - shouldUseLaunchSchemeArgsEnv = "YES" - buildConfiguration = "Debug"> - <Testables> - </Testables> - <MacroExpansion> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "49DB65F51726F0C30097A8DD" - BuildableName = "SensorBoxTest.app" - BlueprintName = "SensorBoxTest" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </MacroExpansion> - </TestAction> - <LaunchAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - launchStyle = "0" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Debug" - ignoresPersistentStateOnLaunch = "NO" - debugDocumentVersioning = "YES" - allowLocationSimulation = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "49DB65F51726F0C30097A8DD" - BuildableName = "SensorBoxTest.app" - BlueprintName = "SensorBoxTest" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - <AdditionalOptions> - </AdditionalOptions> - </LaunchAction> - <ProfileAction - shouldUseLaunchSchemeArgsEnv = "YES" - savedToolIdentifier = "" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Release" - debugDocumentVersioning = "YES"> - <BuildableProductRunnable> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "49DB65F51726F0C30097A8DD" - BuildableName = "SensorBoxTest.app" - BlueprintName = "SensorBoxTest" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildableProductRunnable> - </ProfileAction> - <AnalyzeAction - buildConfiguration = "Debug"> - </AnalyzeAction> - <ArchiveAction - buildConfiguration = "Release" - revealArchiveInOrganizer = "YES"> - </ArchiveAction> -</Scheme> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/ovr.xcscheme b/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/ovr.xcscheme deleted file mode 100644 index d032bda..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/xcshareddata/xcschemes/ovr.xcscheme +++ /dev/null @@ -1,59 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<Scheme - LastUpgradeVersion = "0460" - version = "1.3"> - <BuildAction - parallelizeBuildables = "YES" - buildImplicitDependencies = "YES"> - <BuildActionEntries> - <BuildActionEntry - buildForTesting = "YES" - buildForRunning = "YES" - buildForProfiling = "YES" - buildForArchiving = "YES" - buildForAnalyzing = "YES"> - <BuildableReference - BuildableIdentifier = "primary" - BlueprintIdentifier = "49A5336C16E544BE0039CB59" - BuildableName = "libovr.a" - BlueprintName = "ovr" - ReferencedContainer = "container:LibOVR_With_Samples.xcodeproj"> - </BuildableReference> - </BuildActionEntry> - </BuildActionEntries> - </BuildAction> - <TestAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - shouldUseLaunchSchemeArgsEnv = "YES" - buildConfiguration = "Debug"> - <Testables> - </Testables> - </TestAction> - <LaunchAction - selectedDebuggerIdentifier = "Xcode.DebuggerFoundation.Debugger.LLDB" - selectedLauncherIdentifier = "Xcode.DebuggerFoundation.Launcher.LLDB" - launchStyle = "0" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Debug" - ignoresPersistentStateOnLaunch = "NO" - debugDocumentVersioning = "YES" - allowLocationSimulation = "YES"> - <AdditionalOptions> - </AdditionalOptions> - </LaunchAction> - <ProfileAction - shouldUseLaunchSchemeArgsEnv = "YES" - savedToolIdentifier = "" - useCustomWorkingDirectory = "NO" - buildConfiguration = "Release" - debugDocumentVersioning = "YES"> - </ProfileAction> - <AnalyzeAction - buildConfiguration = "Debug"> - </AnalyzeAction> - <ArchiveAction - buildConfiguration = "Release" - revealArchiveInOrganizer = "YES"> - </ArchiveAction> -</Scheme> diff --git a/Samples/LibOVR_With_Samples.xcodeproj/xcuserdata/Nate.xcuserdatad/xcschemes/xcschememanagement.plist b/Samples/LibOVR_With_Samples.xcodeproj/xcuserdata/Nate.xcuserdatad/xcschemes/xcschememanagement.plist deleted file mode 100644 index 58dbb85..0000000 --- a/Samples/LibOVR_With_Samples.xcodeproj/xcuserdata/Nate.xcuserdatad/xcschemes/xcschememanagement.plist +++ /dev/null @@ -1,29 +0,0 @@ -<?xml version="1.0" encoding="UTF-8"?> -<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> -<plist version="1.0"> -<dict> - <key>SuppressBuildableAutocreation</key> - <dict> - <key>37973B371739D78B0093BBB8</key> - <dict> - <key>primary</key> - <true/> - </dict> - <key>4985385C16ECFE92008D0727</key> - <dict> - <key>primary</key> - <true/> - </dict> - <key>49A5336C16E544BE0039CB59</key> - <dict> - <key>primary</key> - <true/> - </dict> - <key>49DB65F51726F0C30097A8DD</key> - <dict> - <key>primary</key> - <true/> - </dict> - </dict> -</dict> -</plist> diff --git a/Samples/LibOVR_With_Samples_Msvc2010.sln b/Samples/LibOVR_With_Samples_Msvc2010.sln deleted file mode 100644 index a874b38..0000000 --- a/Samples/LibOVR_With_Samples_Msvc2010.sln +++ /dev/null @@ -1,67 +0,0 @@ -Microsoft Visual Studio Solution File, Format Version 11.00 -# Visual Studio 2010 -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "LibOVR", "..\LibOVR\Projects\Win32\LibOVR_Msvc2010.vcxproj", "{934B40C7-F40A-4E4C-97A7-B9659BE0A441}" -EndProject -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "OculusWorldDemo", "OculusWorldDemo\OculusWorldDemo_Msvc2010.vcxproj", "{8051B877-2992-4F64-8C3B-FAF88B6D83AA}" - ProjectSection(ProjectDependencies) = postProject - {934B40C7-F40A-4E4C-97A7-B9659BE0A441} = {934B40C7-F40A-4E4C-97A7-B9659BE0A441} - EndProjectSection -EndProject -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "SensorBoxTest", "SensorBox\SensorBoxTest_Msvc2010.vcxproj", "{8051B837-2982-4F64-8C3B-FAF88B6D83AB}" - ProjectSection(ProjectDependencies) = postProject - {934B40C7-F40A-4E4C-97A7-B9659BE0A441} = {934B40C7-F40A-4E4C-97A7-B9659BE0A441} - EndProjectSection -EndProject -Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "OculusRoomTiny", "OculusRoomTiny\OculusRoomTiny_Msvc2010.vcxproj", "{80523489-2881-4F64-8C3B-FAF88B60ABCD}" - ProjectSection(ProjectDependencies) = postProject - {934B40C7-F40A-4E4C-97A7-B9659BE0A441} = {934B40C7-F40A-4E4C-97A7-B9659BE0A441} - EndProjectSection -EndProject -Global - GlobalSection(SolutionConfigurationPlatforms) = preSolution - Debug|Win32 = Debug|Win32 - Debug|x64 = Debug|x64 - Release|Win32 = Release|Win32 - Release|x64 = Release|x64 - EndGlobalSection - GlobalSection(ProjectConfigurationPlatforms) = postSolution - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Debug|Win32.ActiveCfg = Debug|Win32 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Debug|Win32.Build.0 = Debug|Win32 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Debug|x64.ActiveCfg = Debug|x64 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Debug|x64.Build.0 = Debug|x64 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Release|Win32.ActiveCfg = Release|Win32 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Release|Win32.Build.0 = Release|Win32 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Release|x64.ActiveCfg = Release|x64 - {934B40C7-F40A-4E4C-97A7-B9659BE0A441}.Release|x64.Build.0 = Release|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|Win32.ActiveCfg = Debug|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|Win32.Build.0 = Debug|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|x64.ActiveCfg = Debug|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Debug|x64.Build.0 = Debug|x64 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|Win32.ActiveCfg = Release|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|Win32.Build.0 = Release|Win32 - {8051B877-2992-4F64-8C3B-FAF88B6D83AA}.Release|x64.ActiveCfg = Release|x64 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|Win32.ActiveCfg = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|Win32.Build.0 = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Debug|x64.ActiveCfg = Debug|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|Win32.ActiveCfg = Release|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|Win32.Build.0 = Release|Win32 - {8051B837-2982-4F64-8C3B-FAF88B6D83AB}.Release|x64.ActiveCfg = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|Win32.ActiveCfg = Debug|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|Win32.Build.0 = Debug|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|x64.ActiveCfg = Debug|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Debug|x64.Build.0 = Debug|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|Win32.ActiveCfg = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|Win32.Build.0 = Release|Win32 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|x64.ActiveCfg = Release|x64 - {80523489-2881-4F64-8C3B-FAF88B60ABCD}.Release|x64.Build.0 = Release|x64 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Debug|Win32.ActiveCfg = Debug|Win32 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Debug|Win32.Build.0 = Debug|Win32 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Debug|x64.ActiveCfg = Debug|Win32 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Release|Win32.ActiveCfg = Release|Win32 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Release|Win32.Build.0 = Release|Win32 - {9ABD1D70-F80B-466F-B097-821EBAA00ED6}.Release|x64.ActiveCfg = Release|Win32 - EndGlobalSection - GlobalSection(SolutionProperties) = preSolution - HideSolutionNode = FALSE - EndGlobalSection -EndGlobal diff --git a/Samples/OculusRoomTiny/CMakeLists.txt b/Samples/OculusRoomTiny/CMakeLists.txt new file mode 100644 index 0000000..6db3e6e --- /dev/null +++ b/Samples/OculusRoomTiny/CMakeLists.txt @@ -0,0 +1,39 @@ +project(OculusRoomTiny) + +set(SOURCE_FILES + MessageBox.cpp + MessageBox.h + OculusRoomTiny.cpp + OculusRoomTiny.h + OculusRoomModel.cpp + RenderTiny_Device.cpp + RenderTiny_Device.h + RenderTiny_GL_Device.cpp + RenderTiny_GL_Device.h +) + +set(EXTRA_LIBS + OculusVR + glew + glfw + ${GLFW_LIBRARIES} +) + +if(WIN32) + + add_executable(${PROJECT_NAME} WIN32 ${SOURCE_FILES} ) + +elseif(APPLE) + + add_executable(${PROJECT_NAME} MACOSX_BUNDLE ${SOURCE_FILES} ) + +else() + + add_executable(${PROJECT_NAME} ${SOURCE_FILES} ) + +endif() + +target_link_libraries(${PROJECT_NAME} ${EXTRA_LIBS}) + + + diff --git a/Samples/OculusRoomTiny/MessageBox.cpp b/Samples/OculusRoomTiny/MessageBox.cpp new file mode 100644 index 0000000..be3d136 --- /dev/null +++ b/Samples/OculusRoomTiny/MessageBox.cpp @@ -0,0 +1,61 @@ +#include "MessageBox.h" +#ifdef WIN32 +#include <Windows.h> +#endif + +#ifdef __APPLE__ +#include <CoreFoundation/CoreFoundation.h> +#endif + + +MessageBoxResult MessageBox(const char * text) { +#ifdef WIN32 + int result = ::MessageBoxA(0, text, "Oculus Rift Detection", + MB_CANCELTRYCONTINUE|MB_ICONWARNING); + switch (result) { + case IDCANCEL: + return Cancel; + case IDCONTINUE: + return Continue; + case IDRETRY: + return Retry; + } +#endif + +#ifdef __APPLE__ + CFStringRef headerStrRef = CFStringCreateWithCString(NULL, "Oculus Rift Detection", kCFStringEncodingMacRoman); + CFStringRef messageStrRef = CFStringCreateWithCString(NULL, text, kCFStringEncodingMacRoman); + CFOptionFlags result; + +// kCFUserNotificationDefaultResponse = 0, +// kCFUserNotificationAlternateResponse = 1, +// kCFUserNotificationOtherResponse = 2, +// kCFUserNotificationCancelResponse = 3 + + //launch the message box + CFUserNotificationDisplayAlert(0, + kCFUserNotificationNoteAlertLevel, + NULL, NULL, NULL, + headerStrRef, // header text + messageStrRef, // message text + CFSTR("Try again"), + CFSTR("Continue"), + CFSTR("Cancel"), + &result); + + //Clean up the strings + CFRelease(headerStrRef); + CFRelease(messageStrRef); + + switch (result) { + case kCFUserNotificationCancelResponse: + case kCFUserNotificationOtherResponse: + return Cancel; + case kCFUserNotificationDefaultResponse: + return Retry; + case kCFUserNotificationAlternateResponse: + return Continue; + } +#endif + return Continue; +} diff --git a/Samples/OculusRoomTiny/MessageBox.h b/Samples/OculusRoomTiny/MessageBox.h new file mode 100644 index 0000000..e7bb7c4 --- /dev/null +++ b/Samples/OculusRoomTiny/MessageBox.h @@ -0,0 +1,8 @@ + +enum MessageBoxResult { + Continue, + Cancel, + Retry +}; + +MessageBoxResult MessageBox(const char * text); diff --git a/Samples/OculusRoomTiny/OSX_OculusRoomTiny.mm b/Samples/OculusRoomTiny/OSX_OculusRoomTiny.mm deleted file mode 100644 index 7c5d81f..0000000 --- a/Samples/OculusRoomTiny/OSX_OculusRoomTiny.mm +++ /dev/null @@ -1,861 +0,0 @@ -/************************************************************************************ - - Filename : OSX_OculusRoomTiny.mm - Content : Simplest possible first-person view test application for Oculus Rift - Created : May 7, 2013 - Authors : Michael Antonov, Andrew Reisse, Artem Bolgar - - Copyright : Copyright 2013 Oculus, Inc. All Rights reserved. - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - *************************************************************************************/ - -#import "OSX_OculusRoomTiny.h" -#include "RenderTiny_GL_Device.h" - -#include "Kernel/OVR_KeyCodes.h" - -using namespace OVR; - -//------------------------------------------------------------------------------------- -// ***** OculusRoomTiny Class - -// Static pApp simplifies routing the window function. -OculusRoomTinyApp* OculusRoomTinyApp::pApp = 0; - - -OculusRoomTinyApp::OculusRoomTinyApp(OVRApp* nsapp) - : pRender(0), - LastUpdate(0), - NsApp(nsapp), - Quit(0), - - // Initial location - EyePos(0.0f, 1.6f, -5.0f), - EyeYaw(YawInitial), EyePitch(0), EyeRoll(0), - LastSensorYaw(0), - SConfig(), - PostProcess(PostProcess_Distortion), - ShiftDown(false), - ControlDown(false) -{ - pApp = this; - - Width = 1280; - Height = 800; - - StartupTicks = OVR::Timer::GetTicks(); - - MoveForward = MoveBack = MoveLeft = MoveRight = 0; -} - -OculusRoomTinyApp::~OculusRoomTinyApp() -{ - RemoveHandlerFromDevices(); - pSensor.Clear(); - pHMD.Clear(); - destroyWindow(); - pApp = 0; -} - - -int OculusRoomTinyApp::OnStartup(const char* args) -{ - OVR_UNUSED(args); - - - // *** Oculus HMD & Sensor Initialization - - // Create DeviceManager and first available HMDDevice from it. - // Sensor object is created from the HMD, to ensure that it is on the - // correct device. - - pManager = *DeviceManager::Create(); - - // We'll handle it's messages in this case. - pManager->SetMessageHandler(this); - - CFOptionFlags detectionResult; - const char* detectionMessage; - - do - { - // Release Sensor/HMD in case this is a retry. - pSensor.Clear(); - pHMD.Clear(); - RenderParams.MonitorName.Clear(); - - pHMD = *pManager->EnumerateDevices<HMDDevice>().CreateDevice(); - if (pHMD) - { - pSensor = *pHMD->GetSensor(); - - // This will initialize HMDInfo with information about configured IPD, - // screen size and other variables needed for correct projection. - // We pass HMD DisplayDeviceName into the renderer to select the - // correct monitor in full-screen mode. - if (pHMD->GetDeviceInfo(&HMDInfo)) - { - RenderParams.MonitorName = HMDInfo.DisplayDeviceName; - RenderParams.DisplayId = HMDInfo.DisplayId; - SConfig.SetHMDInfo(HMDInfo); - } - } - else - { - // If we didn't detect an HMD, try to create the sensor directly. - // This is useful for debugging sensor interaction; it is not needed in - // a shipping app. - pSensor = *pManager->EnumerateDevices<SensorDevice>().CreateDevice(); - } - - - // If there was a problem detecting the Rift, display appropriate message. - detectionResult = kCFUserNotificationAlternateResponse; - - if (!pHMD && !pSensor) - detectionMessage = "Oculus Rift not detected."; - else if (!pHMD) - detectionMessage = "Oculus Sensor detected; HMD Display not detected."; - else if (!pSensor) - detectionMessage = "Oculus HMD Display detected; Sensor not detected."; - else if (HMDInfo.DisplayDeviceName[0] == '\0') - detectionMessage = "Oculus Sensor detected; HMD display EDID not detected."; - else - detectionMessage = 0; - - if (detectionMessage) - { - String messageText(detectionMessage); - messageText += "\n\n" - "Press 'Try Again' to run retry detection.\n" - "Press 'Continue' to run full-screen anyway."; - - CFStringRef headerStrRef = CFStringCreateWithCString(NULL, "Oculus Rift Detection", kCFStringEncodingMacRoman); - CFStringRef messageStrRef = CFStringCreateWithCString(NULL, messageText, kCFStringEncodingMacRoman); - - //launch the message box - CFUserNotificationDisplayAlert(0, - kCFUserNotificationNoteAlertLevel, - NULL, NULL, NULL, - headerStrRef, // header text - messageStrRef, // message text - CFSTR("Try again"), - CFSTR("Continue"), - CFSTR("Cancel"), - &detectionResult); - - //Clean up the strings - CFRelease(headerStrRef); - CFRelease(messageStrRef); - - if (detectionResult == kCFUserNotificationCancelResponse || - detectionResult == kCFUserNotificationOtherResponse) - return 1; - } - - } while (detectionResult != kCFUserNotificationAlternateResponse); - - - if (HMDInfo.HResolution > 0) - { - Width = HMDInfo.HResolution; - Height = HMDInfo.VResolution; - } - - - if (!setupWindow()) - return 1; - - if (pSensor) - { - // We need to attach sensor to SensorFusion object for it to receive - // body frame messages and update orientation. SFusion.GetOrientation() - // is used in OnIdle() to orient the view. - SFusion.AttachToSensor(pSensor); - SFusion.SetDelegateMessageHandler(this); - SFusion.SetPredictionEnabled(true); - } - - - // *** Initialize Rendering - - // Enable multi-sampling by default. - RenderParams.Multisample = 4; - RenderParams.Fullscreen = false;//true; //? - - // Setup Graphics. - pRender = *OSX::RenderDevice::CreateDevice(RenderParams, (void*)View); - if (!pRender) - return 1; - - - // *** Configure Stereo settings. - - SConfig.SetFullViewport(Viewport(0,0, Width, Height)); - SConfig.SetStereoMode(Stereo_LeftRight_Multipass); - - // Configure proper Distortion Fit. - // For 7" screen, fit to touch left side of the view, leaving a bit of invisible - // screen on the top (saves on rendering cost). - // For smaller screens (5.5"), fit to the top. - if (HMDInfo.HScreenSize > 0.0f) - { - if (HMDInfo.HScreenSize > 0.140f) // 7" - SConfig.SetDistortionFitPointVP(-1.0f, 0.0f); - else - SConfig.SetDistortionFitPointVP(0.0f, 1.0f); - } - - pRender->SetSceneRenderScale(SConfig.GetDistortionScale()); - - SConfig.Set2DAreaFov(DegreeToRad(85.0f)); - - - // *** Populate Room Scene - - // This creates lights and models. - PopulateRoomScene(&Scene, pRender); - - - LastUpdate = GetAppTime(); - return 0; -} - -void OculusRoomTinyApp::OnMessage(const Message& msg) -{ - if (msg.Type == Message_DeviceAdded && msg.pDevice == pManager) - { - LogText("DeviceManager reported device added.\n"); - } - else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pManager) - { - LogText("DeviceManager reported device removed.\n"); - } - else if (msg.Type == Message_DeviceAdded && msg.pDevice == pSensor) - { - LogText("Sensor reported device added.\n"); - } - else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pSensor) - { - LogText("Sensor reported device removed.\n"); - } -} - -bool OculusRoomTinyApp::setupWindow() -{ - NSRect winrect; - winrect.origin.x = 0; - winrect.origin.y = 1000; - winrect.size.width = Width; - winrect.size.height = Height; - NSWindow* win = [[NSWindow alloc] initWithContentRect:winrect styleMask:NSTitledWindowMask|NSClosableWindowMask backing:NSBackingStoreBuffered defer:NO]; - - OVRView* view = [[OVRView alloc] initWithFrame:winrect]; - [win setContentView:view]; - [win setAcceptsMouseMovedEvents:YES]; - [win setDelegate:view]; - [view setApp:pApp]; - Win = win; - View = view; - - const char* title = "OculusRoomTiny"; - [((NSWindow*)Win) setTitle:[[NSString alloc] initWithBytes:title length:strlen(title) encoding:NSUTF8StringEncoding]]; - - [NSCursor hide]; - [view warpMouseToCenter]; - CGAssociateMouseAndMouseCursorPosition(false); - - SetFullscreen(RenderParams, true); - return true; -} - -void OculusRoomTinyApp::destroyWindow() -{ - SetFullscreen(RenderParams, false); - [((NSWindow*)Win) close]; -} - -void OculusRoomTinyApp::OnMouseMove(int x, int y, int modifiers) -{ - OVR_UNUSED(modifiers); - - // Mouse motion here is always relative. - int dx = x, dy = y; - const float maxPitch = ((3.1415f/2)*0.98f); - - // Apply to rotation. Subtract for right body frame rotation, - // since yaw rotation is positive CCW when looking down on XZ plane. - EyeYaw -= (Sensitivity * dx)/ 360.0f; - - if (!pSensor) - { - EyePitch -= (Sensitivity * dy)/ 360.0f; - - if (EyePitch > maxPitch) - EyePitch = maxPitch; - if (EyePitch < -maxPitch) - EyePitch = -maxPitch; - } -} - - -void OculusRoomTinyApp::OnKey(unsigned vk, bool down) -{ - switch (vk) - { - case 'Q': - if (down && ControlDown) - Exit();; - break; - case Key_Escape: - if (!down) - Exit(); - break; - - // Handle player movement keys. - // We just update movement state here, while the actual translation is done in OnIdle() - // based on time. - case 'W': MoveForward = down ? (MoveForward | 1) : (MoveForward & ~1); break; - case 'S': MoveBack = down ? (MoveBack | 1) : (MoveBack & ~1); break; - case 'A': MoveLeft = down ? (MoveLeft | 1) : (MoveLeft & ~1); break; - case 'D': MoveRight = down ? (MoveRight | 1) : (MoveRight & ~1); break; - case Key_Up: MoveForward = down ? (MoveForward | 2) : (MoveForward & ~2); break; - case Key_Down: MoveBack = down ? (MoveBack | 2) : (MoveBack & ~2); break; - - case 'R': - SFusion.Reset(); - break; - - case 'P': - if (down) - { - // Toggle chromatic aberration correction on/off. - RenderDevice::PostProcessShader shader = pRender->GetPostProcessShader(); - - if (shader == RenderDevice::PostProcessShader_Distortion) - { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_DistortionAndChromAb); - } - else if (shader == RenderDevice::PostProcessShader_DistortionAndChromAb) - { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_Distortion); - } - else - OVR_ASSERT(false); - } - break; - - // Switch rendering modes/distortion. - case Key_F1: - SConfig.SetStereoMode(Stereo_None); - PostProcess = PostProcess_None; - break; - case Key_F2: - SConfig.SetStereoMode(Stereo_LeftRight_Multipass); - PostProcess = PostProcess_None; - break; - case Key_F3: - SConfig.SetStereoMode(Stereo_LeftRight_Multipass); - PostProcess = PostProcess_Distortion; - break; - - // Stereo IPD adjustments, in meter (default IPD is 64mm). - case '+': - case '=': - if (down) - SConfig.SetIPD(SConfig.GetIPD() + 0.0005f * (ShiftDown ? 5.0f : 1.0f)); - break; - case '-': - case '_': - if (down) - SConfig.SetIPD(SConfig.GetIPD() - 0.0005f * (ShiftDown ? 5.0f : 1.0f)); - break; - - // Holding down Shift key accelerates adjustment velocity. - case Key_Shift: - ShiftDown = down; - break; - case Key_Meta: - ControlDown = down; - break; - } -} - - -void OculusRoomTinyApp::OnIdle() -{ - double curtime = GetAppTime(); - float dt = float(curtime - LastUpdate); - LastUpdate = curtime; - - - // Handle Sensor motion. - // We extract Yaw, Pitch, Roll instead of directly using the orientation - // to allow "additional" yaw manipulation with mouse/controller. - if (pSensor) - { - Quatf hmdOrient = SFusion.GetOrientation(); - float yaw = 0.0f; - - hmdOrient.GetEulerAngles<Axis_Y, Axis_X, Axis_Z>(&yaw, &EyePitch, &EyeRoll); - - EyeYaw += (yaw - LastSensorYaw); - LastSensorYaw = yaw; - } - - - if (!pSensor) - { - const float maxPitch = ((3.1415f/2)*0.98f); - if (EyePitch > maxPitch) - EyePitch = maxPitch; - if (EyePitch < -maxPitch) - EyePitch = -maxPitch; - } - - // Handle keyboard movement. - // This translates EyePos based on Yaw vector direction and keys pressed. - // Note that Pitch and Roll do not affect movement (they only affect view). - if (MoveForward || MoveBack || MoveLeft || MoveRight) - { - Vector3f localMoveVector(0,0,0); - Matrix4f yawRotate = Matrix4f::RotationY(EyeYaw); - - if (MoveForward) - localMoveVector = ForwardVector; - else if (MoveBack) - localMoveVector = -ForwardVector; - - if (MoveRight) - localMoveVector += RightVector; - else if (MoveLeft) - localMoveVector -= RightVector; - - // Normalize vector so we don't move faster diagonally. - localMoveVector.Normalize(); - Vector3f orientationVector = yawRotate.Transform(localMoveVector); - orientationVector *= MoveSpeed * dt * (ShiftDown ? 3.0f : 1.0f); - - EyePos += orientationVector; - } - - // Rotate and position View Camera, using YawPitchRoll in BodyFrame coordinates. - // - Matrix4f rollPitchYaw = Matrix4f::RotationY(EyeYaw) * Matrix4f::RotationX(EyePitch) * - Matrix4f::RotationZ(EyeRoll); - Vector3f up = rollPitchYaw.Transform(UpVector); - Vector3f forward = rollPitchYaw.Transform(ForwardVector); - - - // Minimal head modelling. - float headBaseToEyeHeight = 0.15f; // Vertical height of eye from base of head - float headBaseToEyeProtrusion = 0.09f; // Distance forward of eye from base of head - - Vector3f eyeCenterInHeadFrame(0.0f, headBaseToEyeHeight, -headBaseToEyeProtrusion); - Vector3f shiftedEyePos = EyePos + rollPitchYaw.Transform(eyeCenterInHeadFrame); - shiftedEyePos.y -= eyeCenterInHeadFrame.y; // Bring the head back down to original height - - ViewMat = Matrix4f::LookAtRH(shiftedEyePos, shiftedEyePos + forward, up); - - // This is what transformation would be without head modeling. - // View = Matrix4f::LookAtRH(EyePos, EyePos + forward, up); - - switch(SConfig.GetStereoMode()) - { - case Stereo_None: - Render(SConfig.GetEyeRenderParams(StereoEye_Center)); - break; - - case Stereo_LeftRight_Multipass: - Render(SConfig.GetEyeRenderParams(StereoEye_Left)); - Render(SConfig.GetEyeRenderParams(StereoEye_Right)); - break; - } - - pRender->Present(); - // Force GPU to flush the scene, resulting in the lowest possible latency. - pRender->ForceFlushGPU(); -} - - -// Render the scene for one eye. -void OculusRoomTinyApp::Render(const StereoEyeParams& stereo) -{ - pRender->BeginScene(PostProcess); - - // Apply Viewport/Projection for the eye. - pRender->ApplyStereoParams(stereo); - pRender->Clear(); - pRender->SetDepthMode(true, true); - - Scene.Render(pRender, stereo.ViewAdjust * ViewMat); - - pRender->FinishScene(); -} - -void OculusRoomTinyApp::Exit() -{ - [NsApp stop:nil]; - Quit = true; -} - -bool OculusRoomTinyApp::SetFullscreen(const RenderTiny::RendererParams& rp, int fullscreen) -{ - if (fullscreen == RenderTiny::Display_Window) - [(OVRView*)View exitFullScreenModeWithOptions:nil]; - else - { - NSScreen* usescreen = [NSScreen mainScreen]; - NSArray* screens = [NSScreen screens]; - for (int i = 0; i < [screens count]; i++) - { - NSScreen* s = (NSScreen*)[screens objectAtIndex:i]; - CGDirectDisplayID disp = [OVRView displayFromScreen:s]; - - if (disp == rp.DisplayId) - usescreen = s; - } - - [(OVRView*)View enterFullScreenMode:usescreen withOptions:nil]; - } - - if (pRender) - pRender->SetFullscreen((RenderTiny::DisplayMode)fullscreen); - return 1; -} - -//------------------------------------------------------------------------------------- -// ***** OS X-Specific Logic - -@implementation OVRApp - -- (void)dealloc -{ - [super dealloc]; -} - -- (void)run -{ - NSAutoreleasePool* pool = [[NSAutoreleasePool alloc] init]; - _running = YES; - OculusRoomTinyApp* app; - - // Initializes LibOVR. This LogMask_All enables maximum logging. - // Custom allocator can also be specified here. - OVR::System::Init(OVR::Log::ConfigureDefaultLog(OVR::LogMask_All)); - - int exitCode = 0; - do - { - { - using namespace OVR; - - // CreateApplication must be the first call since it does OVR::System::Initialize. - app = new OculusRoomTinyApp(self); - // The platform attached to an app will be deleted by DestroyApplication. - - [self setApp:app]; - - const char* argv[] = {"OVRApp"}; - exitCode = app->OnStartup(argv[0]); - if (exitCode) - break; - } - [self finishLaunching]; - [pool drain]; - - while ([self isRunning]) - { - pool = [[NSAutoreleasePool alloc] init]; - NSEvent* event = [self nextEventMatchingMask:NSAnyEventMask untilDate:nil inMode:NSDefaultRunLoopMode dequeue:YES]; - if (event) - { - [self sendEvent:event]; - } - _App->OnIdle(); - [pool drain]; - } - } while(0); - - delete app; - - // No OVR functions involving memory are allowed after this. - OVR::System::Destroy(); -} - -@end - -static int KeyMap[][2] = -{ - { NSDeleteFunctionKey, OVR::Key_Delete }, - { '\t', OVR::Key_Tab }, - { '\n', OVR::Key_Return }, - { NSPauseFunctionKey, OVR::Key_Pause }, - { 27, OVR::Key_Escape }, - { 127, OVR::Key_Backspace }, - { ' ', OVR::Key_Space }, - { NSPageUpFunctionKey, OVR::Key_PageUp }, - { NSPageDownFunctionKey, OVR::Key_PageDown }, - { NSNextFunctionKey, OVR::Key_PageDown }, - { NSEndFunctionKey, OVR::Key_End }, - { NSHomeFunctionKey, OVR::Key_Home }, - { NSLeftArrowFunctionKey, OVR::Key_Left }, - { NSUpArrowFunctionKey, OVR::Key_Up }, - { NSRightArrowFunctionKey, OVR::Key_Right }, - { NSDownArrowFunctionKey, OVR::Key_Down }, - { NSInsertFunctionKey, OVR::Key_Insert }, - { NSDeleteFunctionKey, OVR::Key_Delete }, - { NSHelpFunctionKey, OVR::Key_Insert }, -}; - - -static KeyCode MapToKeyCode(wchar_t vk) -{ - unsigned key = Key_None; - - if ((vk >= 'a') && (vk <= 'z')) - { - key = vk - 'a' + Key_A; - } - else if ((vk >= ' ') && (vk <= '~')) - { - key = vk; - } - else if ((vk >= '0') && (vk <= '9')) - { - key = vk - '0' + Key_Num0; - } - else if ((vk >= NSF1FunctionKey) && (vk <= NSF15FunctionKey)) - { - key = vk - NSF1FunctionKey + Key_F1; - } - else - { - for (unsigned i = 0; i< (sizeof(KeyMap) / sizeof(KeyMap[1])); i++) - { - if (vk == KeyMap[i][0]) - { - key = KeyMap[i][1]; - break; - } - } - } - - return (KeyCode)key; -} - -@implementation OVRView - --(BOOL) acceptsFirstResponder -{ - return YES; -} --(BOOL) acceptsFirstMouse:(NSEvent *)ev -{ - return YES; -} - -+(CGDirectDisplayID) displayFromScreen:(NSScreen *)s -{ - NSNumber* didref = (NSNumber*)[[s deviceDescription] objectForKey:@"NSScreenNumber"]; - CGDirectDisplayID disp = (CGDirectDisplayID)[didref longValue]; - return disp; -} - --(void) warpMouseToCenter -{ - NSPoint w; - w.x = _App->GetWidth()/2.0f; - w.y = _App->GetHeight()/2.0f; - w = [[self window] convertBaseToScreen:w]; - CGDirectDisplayID disp = [OVRView displayFromScreen:[[self window] screen]]; - CGPoint p = {w.x, CGDisplayPixelsHigh(disp)-w.y}; - CGDisplayMoveCursorToPoint(disp, p); -} - --(void) keyDown:(NSEvent*)ev -{ - NSString* chars = [ev charactersIgnoringModifiers]; - if ([chars length]) - { - wchar_t ch = [chars characterAtIndex:0]; - OVR::KeyCode key = MapToKeyCode(ch); - _App->OnKey(key, true); - } -} --(void) keyUp:(NSEvent*)ev -{ - NSString* chars = [ev charactersIgnoringModifiers]; - if ([chars length]) - { - wchar_t ch = [chars characterAtIndex:0]; - OVR::KeyCode key = MapToKeyCode(ch); - _App->OnKey(key, false); - - } -} - - --(void)flagsChanged:(NSEvent *)ev -{ - static const OVR::KeyCode ModifierKeys[] = {OVR::Key_None, OVR::Key_Shift, OVR::Key_Control, OVR::Key_Alt, OVR::Key_Meta}; - - unsigned long cmods = [ev modifierFlags]; - if ((cmods & 0xffff0000) != _Modifiers) - { - uint32_t mods = 0; - if (cmods & NSShiftKeyMask) - mods |= 0x01; - if (cmods & NSControlKeyMask) - mods |= 0x02; - if (cmods & NSAlternateKeyMask) - mods |= 0x04; - if (cmods & NSCommandKeyMask) - mods |= 0x08; - - for (int i = 1; i <= 4; i++) - { - unsigned long m = (1 << (16+i)); - if ((cmods & m) != (_Modifiers & m)) - { - if (cmods & m) - _App->OnKey(ModifierKeys[i], true); - else - _App->OnKey(ModifierKeys[i], false); - } - } - _Modifiers = cmods & 0xffff0000; - } -} - --(void)ProcessMouse:(NSEvent*)ev -{ - switch ([ev type]) - { - case NSLeftMouseDragged: - case NSRightMouseDragged: - case NSOtherMouseDragged: - case NSMouseMoved: - { - int dx = [ev deltaX]; - int dy = [ev deltaY]; - - if (dx != 0 || dy != 0) - { - _App->OnMouseMove(dx, dy, 0); - [self warpMouseToCenter]; - } - } - break; - case NSLeftMouseDown: - case NSRightMouseDown: - case NSOtherMouseDown: - break; - } -} - --(void) mouseMoved:(NSEvent*)ev -{ - [self ProcessMouse:ev]; -} --(void) mouseDragged:(NSEvent*)ev -{ - [self ProcessMouse:ev]; -} - --(void) mouseDown:(NSEvent*)ev -{ - [self warpMouseToCenter]; - CGAssociateMouseAndMouseCursorPosition(false); - [NSCursor hide]; -} - -//-(void) - --(id) initWithFrame:(NSRect)frameRect -{ - NSOpenGLPixelFormatAttribute attr[] = - {NSOpenGLPFAWindow, NSOpenGLPFADoubleBuffer, NSOpenGLPFADepthSize, 24, nil}; - - NSOpenGLPixelFormat *pf = [[[NSOpenGLPixelFormat alloc] initWithAttributes:attr] autorelease]; - - self = [super initWithFrame:frameRect pixelFormat:pf]; - GLint swap = 0; - [[self openGLContext] setValues:&swap forParameter:NSOpenGLCPSwapInterval]; - //[self setWantsBestResolutionOpenGLSurface:YES]; - return self; -} - --(BOOL)windowShouldClose:(id)sender -{ - _App->Exit(); - return 1; -} - -@end - -// GL OSX-specific logic -namespace OSX { - - RenderDevice::RenderDevice(const RendererParams& p, void* osview, void* context) - : GL::RenderDevice(p), Context(context) - { - OVRView* view = (OVRView*)osview; - NSRect bounds = [view bounds]; - WindowWidth = bounds.size.width; - WindowHeight= bounds.size.height; - - } - - RenderDevice* RenderDevice::CreateDevice(const RendererParams& rp, void* osview) - { - OVRView* view = (OVRView*)osview; - NSOpenGLContext *context = [view openGLContext]; - if (!context) - return NULL; - - [context makeCurrentContext]; - [[view window] makeKeyAndOrderFront:nil]; - - return new OSX::RenderDevice(rp, osview, context); - } - - void RenderDevice::Present() - { - NSOpenGLContext *context = (NSOpenGLContext*)Context; - [context flushBuffer]; - } - - void RenderDevice::Shutdown() - { - Context = NULL; - } - - bool RenderDevice::SetFullscreen(DisplayMode fullscreen) - { - Params.Fullscreen = fullscreen; - return 1; - } - -} - - -int main(int argc, char *argv[]) -{ - NSApplication* nsapp = [OVRApp sharedApplication]; - [nsapp run]; - return 0; -} - diff --git a/Samples/OculusRoomTiny/Win32_OculusRoomTiny.cpp b/Samples/OculusRoomTiny/OculusRoomTiny.cpp index c27723f..6b5ea2d 100644 --- a/Samples/OculusRoomTiny/Win32_OculusRoomTiny.cpp +++ b/Samples/OculusRoomTiny/OculusRoomTiny.cpp @@ -21,62 +21,69 @@ limitations under the License. *************************************************************************************/ -#include "Win32_OculusRoomTiny.h" -#include "RenderTiny_D3D1X_Device.h" +#include "OculusRoomTiny.h" +#include "RenderTiny_Device.h" +#include "MessageBox.h" + +void glfwKeyCallback(GLFWwindow* window, int key, int scancode, int action, int mods) { + OculusRoomTinyApp * instance = (OculusRoomTinyApp *)glfwGetWindowUserPointer(window); + instance->OnKey(key, action == GLFW_PRESS || action == GLFW_REPEAT); +} + +void glfwErrorCallback(int error, const char* description) { + LogText("Error code %d, message: %s", error, description); + exit(1); +} //------------------------------------------------------------------------------------- // ***** OculusRoomTiny Class -// Static pApp simplifies routing the window function. -OculusRoomTinyApp* OculusRoomTinyApp::pApp = 0; - - -OculusRoomTinyApp::OculusRoomTinyApp(HINSTANCE hinst) - : pRender(0), - LastUpdate(0), - - // Win32 - hWnd(NULL), - hInstance(hinst), Quit(0), MouseCaptured(true), - hXInputModule(0), pXInputGetState(0), - - // Initial location - EyePos(0.0f, 1.6f, -5.0f), - EyeYaw(YawInitial), EyePitch(0), EyeRoll(0), - LastSensorYaw(0), - SConfig(), - PostProcess(PostProcess_Distortion), - ShiftDown(false), - ControlDown(false) +OculusRoomTinyApp::OculusRoomTinyApp() : + window(0), Width(1280), Height(800), Quit(false), LastUpdate(0), StartupTicks(OVR::Timer::GetTicks()), EyePos(0.0f, 1.6f, -5.0f), EyeYaw(YawInitial), + EyePitch(0), EyeRoll(0), LastSensorYaw(0), MoveForward(0), MoveBack(0), MoveLeft(0), MoveRight(0), ShiftDown(0), ControlDown(0), PostProcess(PostProcess_Distortion) { - pApp = this; - - Width = 1280; - Height = 800; - - StartupTicks = OVR::Timer::GetTicks(); - LastPadPacketNo = 0; - - MoveForward = MoveBack = MoveLeft = MoveRight = 0; - GamepadMove = Vector3f(0); - GamepadRotate = Vector3f(0); } OculusRoomTinyApp::~OculusRoomTinyApp() { - RemoveHandlerFromDevices(); + RemoveHandlerFromDevices(); pSensor.Clear(); pHMD.Clear(); destroyWindow(); - pApp = 0; } +bool OculusRoomTinyApp::setupWindow() +{ + glfwInit(); + glfwWindowHint(GLFW_DEPTH_BITS, 16); + glfwWindowHint(GLFW_DECORATED, 0); + window = glfwCreateWindow(Width, Height, "OculusRoomTiny", NULL, NULL); + assert(window != 0); + glfwSetWindowPos(window, HMDInfo.DesktopX, HMDInfo.DesktopY); + glfwSetWindowUserPointer(window, this); + glfwSetKeyCallback(window, glfwKeyCallback); + glfwMakeContextCurrent(window); + glfwSwapInterval(1); + glewInit(); + return window != 0; +} -int OculusRoomTinyApp::OnStartup(const char* args) +void OculusRoomTinyApp::destroyWindow() { - OVR_UNUSED(args); + pRender.Clear(); + if (window) + { + // Release window resources. + glfwDestroyWindow(window); + window = 0; + Width = Height = 0; + } +} +int OculusRoomTinyApp::OnStartup(const char* args) +{ + OVR_UNUSED(args); // *** Oculus HMD & Sensor Initialization // Create DeviceManager and first available HMDDevice from it. @@ -85,15 +92,11 @@ int OculusRoomTinyApp::OnStartup(const char* args) pManager = *DeviceManager::Create(); - // We'll handle it's messages in this case. - pManager->SetMessageHandler(this); - - - int detectionResult = IDCONTINUE; - const char* detectionMessage; + // We'll handle it's messages in this case. + pManager->SetMessageHandler(this); - do - { + bool initDone = false; + while (!initDone) { // Release Sensor/HMD in case this is a retry. pSensor.Clear(); pHMD.Clear(); @@ -109,14 +112,14 @@ int OculusRoomTinyApp::OnStartup(const char* args) // We pass HMD DisplayDeviceName into the renderer to select the // correct monitor in full-screen mode. if (pHMD->GetDeviceInfo(&HMDInfo)) - { + { RenderParams.MonitorName = HMDInfo.DisplayDeviceName; RenderParams.DisplayId = HMDInfo.DisplayId; SConfig.SetHMDInfo(HMDInfo); } } else - { + { // If we didn't detect an HMD, try to create the sensor directly. // This is useful for debugging sensor interaction; it is not needed in // a shipping app. @@ -124,8 +127,7 @@ int OculusRoomTinyApp::OnStartup(const char* args) } - // If there was a problem detecting the Rift, display appropriate message. - detectionResult = IDCONTINUE; + const char* detectionMessage; if (!pHMD && !pSensor) detectionMessage = "Oculus Rift not detected."; @@ -138,56 +140,57 @@ int OculusRoomTinyApp::OnStartup(const char* args) else detectionMessage = 0; - if (detectionMessage) - { + if (detectionMessage) { String messageText(detectionMessage); messageText += "\n\n" "Press 'Try Again' to run retry detection.\n" "Press 'Continue' to run full-screen anyway."; - - detectionResult = ::MessageBoxA(0, messageText.ToCStr(), "Oculus Rift Detection", - MB_CANCELTRYCONTINUE|MB_ICONWARNING); - - if (detectionResult == IDCANCEL) + MessageBoxResult result = MessageBox(messageText); + // Yeah, this is confusing, but it's correct. + switch (result) { + // semantic Retry means 'continue the loop' + case Retry: + continue; + + case Cancel: return 1; - } - } while (detectionResult != IDCONTINUE); + // semantic Continue means exit the loop + case Continue: + initDone = true; + break; + } + } else { + initDone = true; + } + } - if (HMDInfo.HResolution > 0) { Width = HMDInfo.HResolution; Height = HMDInfo.VResolution; } - if (!setupWindow()) return 1; - + if (pSensor) { - // We need to attach sensor to SensorFusion object for it to receive - // body frame messages and update orientation. SFusion.GetOrientation() + // We need to attach sensor to SensorFusion object for it to receive + // body frame messages and update orientation. SFusion.GetOrientation() // is used in OnIdle() to orient the view. SFusion.AttachToSensor(pSensor); SFusion.SetDelegateMessageHandler(this); SFusion.SetPredictionEnabled(true); } - + // *** Initialize Rendering - + // Enable multi-sampling by default. RenderParams.Multisample = 4; RenderParams.Fullscreen = true; - // Setup Graphics. - pRender = *RenderTiny::D3D10::RenderDevice::CreateDevice(RenderParams, (void*)hWnd); - if (!pRender) - return 1; - - // *** Configure Stereo settings. SConfig.SetFullViewport(Viewport(0,0, Width, Height)); @@ -205,39 +208,42 @@ int OculusRoomTinyApp::OnStartup(const char* args) SConfig.SetDistortionFitPointVP(0.0f, 1.0f); } - pRender->SetSceneRenderScale(SConfig.GetDistortionScale()); - SConfig.Set2DAreaFov(DegreeToRad(85.0f)); + // Setup Graphics. + pRender = *RenderTiny::RenderDevice::CreateDevice(RenderParams, window); + if (!pRender) + return 1; + pRender->SetSceneRenderScale(SConfig.GetDistortionScale()); + pRender->SetWindowSize(0, 0); // *** Populate Room Scene // This creates lights and models. PopulateRoomScene(&Scene, pRender); - LastUpdate = GetAppTime(); return 0; } void OculusRoomTinyApp::OnMessage(const Message& msg) { - if (msg.Type == Message_DeviceAdded && msg.pDevice == pManager) - { - LogText("DeviceManager reported device added.\n"); - } - else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pManager) - { - LogText("DeviceManager reported device removed.\n"); - } - else if (msg.Type == Message_DeviceAdded && msg.pDevice == pSensor) - { - LogText("Sensor reported device added.\n"); - } - else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pSensor) - { - LogText("Sensor reported device removed.\n"); - } + if (msg.Type == Message_DeviceAdded && msg.pDevice == pManager) + { + LogText("DeviceManager reported device added.\n"); + } + else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pManager) + { + LogText("DeviceManager reported device removed.\n"); + } + else if (msg.Type == Message_DeviceAdded && msg.pDevice == pSensor) + { + LogText("Sensor reported device added.\n"); + } + else if (msg.Type == Message_DeviceRemoved && msg.pDevice == pSensor) + { + LogText("Sensor reported device removed.\n"); + } } @@ -254,7 +260,7 @@ void OculusRoomTinyApp::OnMouseMove(int x, int y, int modifiers) OVR_UNUSED(modifiers); // Mouse motion here is always relative. - int dx = x, dy = y; + int dx = x, dy = y; const float maxPitch = ((3.1415f/2)*0.98f); // Apply to rotation. Subtract for right body frame rotation, @@ -264,23 +270,23 @@ void OculusRoomTinyApp::OnMouseMove(int x, int y, int modifiers) if (!pSensor) { EyePitch -= (Sensitivity * dy)/ 360.0f; - + if (EyePitch > maxPitch) EyePitch = maxPitch; if (EyePitch < -maxPitch) EyePitch = -maxPitch; - } + } } void OculusRoomTinyApp::OnKey(unsigned vk, bool down) { switch (vk) { - case 'Q': + case GLFW_KEY_Q: if (down && ControlDown) Quit = true; break; - case VK_ESCAPE: + case GLFW_KEY_ESCAPE: if (!down) Quit = true; break; @@ -288,18 +294,18 @@ void OculusRoomTinyApp::OnKey(unsigned vk, bool down) // Handle player movement keys. // We just update movement state here, while the actual translation is done in OnIdle() // based on time. - case 'W': MoveForward = down ? (MoveForward | 1) : (MoveForward & ~1); break; - case 'S': MoveBack = down ? (MoveBack | 1) : (MoveBack & ~1); break; - case 'A': MoveLeft = down ? (MoveLeft | 1) : (MoveLeft & ~1); break; - case 'D': MoveRight = down ? (MoveRight | 1) : (MoveRight & ~1); break; - case VK_UP: MoveForward = down ? (MoveForward | 2) : (MoveForward & ~2); break; - case VK_DOWN: MoveBack = down ? (MoveBack | 2) : (MoveBack & ~2); break; - - case 'R': + case GLFW_KEY_W: MoveForward = down ? (MoveForward | 1) : (MoveForward & ~1); break; + case GLFW_KEY_S: MoveBack = down ? (MoveBack | 1) : (MoveBack & ~1); break; + case GLFW_KEY_A: MoveLeft = down ? (MoveLeft | 1) : (MoveLeft & ~1); break; + case GLFW_KEY_D: MoveRight = down ? (MoveRight | 1) : (MoveRight & ~1); break; + case GLFW_KEY_UP: MoveForward = down ? (MoveForward | 2) : (MoveForward & ~2); break; + case GLFW_KEY_DOWN: MoveBack = down ? (MoveBack | 2) : (MoveBack & ~2); break; + + case GLFW_KEY_R: SFusion.Reset(); break; - - case 'P': + + case GLFW_KEY_P: if (down) { // Toggle chromatic aberration correction on/off. @@ -307,11 +313,11 @@ void OculusRoomTinyApp::OnKey(unsigned vk, bool down) if (shader == RenderDevice::PostProcessShader_Distortion) { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_DistortionAndChromAb); + pRender->SetPostProcessShader(RenderDevice::PostProcessShader_DistortionAndChromAb); } else if (shader == RenderDevice::PostProcessShader_DistortionAndChromAb) { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_Distortion); + pRender->SetPostProcessShader(RenderDevice::PostProcessShader_Distortion); } else OVR_ASSERT(false); @@ -319,36 +325,44 @@ void OculusRoomTinyApp::OnKey(unsigned vk, bool down) break; // Switch rendering modes/distortion. - case VK_F1: + case GLFW_KEY_F1: SConfig.SetStereoMode(Stereo_None); PostProcess = PostProcess_None; break; - case VK_F2: + case GLFW_KEY_F2: SConfig.SetStereoMode(Stereo_LeftRight_Multipass); PostProcess = PostProcess_None; break; - case VK_F3: + case GLFW_KEY_F3: SConfig.SetStereoMode(Stereo_LeftRight_Multipass); PostProcess = PostProcess_Distortion; break; - // Stereo IPD adjustments, in meter (default IPD is 64mm). - case VK_OEM_PLUS: - case VK_INSERT: + // Stereo IPD adjustments, in meter (default IPD is 64mm). + case GLFW_KEY_KP_ADD: + case GLFW_KEY_INSERT: if (down) SConfig.SetIPD(SConfig.GetIPD() + 0.0005f * (ShiftDown ? 5.0f : 1.0f)); break; - case VK_OEM_MINUS: - case VK_DELETE: + case GLFW_KEY_KP_SUBTRACT: + case GLFW_KEY_DELETE: if (down) SConfig.SetIPD(SConfig.GetIPD() - 0.0005f * (ShiftDown ? 5.0f : 1.0f)); break; + case GLFW_KEY_BACKSLASH: + if (down) + // Swap eye positions. + SConfig.SetIPD(SConfig.GetIPD() * -1); + break; + // Holding down Shift key accelerates adjustment velocity. - case VK_SHIFT: + case GLFW_KEY_LEFT_SHIFT: + case GLFW_KEY_RIGHT_SHIFT: ShiftDown = down; break; - case VK_CONTROL: + case GLFW_KEY_LEFT_CONTROL: + case GLFW_KEY_RIGHT_CONTROL: ControlDown = down; break; } @@ -361,21 +375,19 @@ void OculusRoomTinyApp::OnIdle() float dt = float(curtime - LastUpdate); LastUpdate = curtime; - // Handle Sensor motion. // We extract Yaw, Pitch, Roll instead of directly using the orientation // to allow "additional" yaw manipulation with mouse/controller. if (pSensor) - { + { Quatf hmdOrient = SFusion.GetOrientation(); float yaw = 0.0f; hmdOrient.GetEulerAngles<Axis_Y, Axis_X, Axis_Z>(&yaw, &EyePitch, &EyeRoll); EyeYaw += (yaw - LastSensorYaw); - LastSensorYaw = yaw; - } - + LastSensorYaw = yaw; + } // Gamepad rotation. EyeYaw -= GamepadRotate.x * dt; @@ -391,7 +403,7 @@ void OculusRoomTinyApp::OnIdle() if (EyePitch < -maxPitch) EyePitch = -maxPitch; } - + // Handle keyboard movement. // This translates EyePos based on Yaw vector direction and keys pressed. // Note that Pitch and Roll do not affect movement (they only affect view). @@ -428,13 +440,13 @@ void OculusRoomTinyApp::OnIdle() // Rotate and position View Camera, using YawPitchRoll in BodyFrame coordinates. - // + // Matrix4f rollPitchYaw = Matrix4f::RotationY(EyeYaw) * Matrix4f::RotationX(EyePitch) * Matrix4f::RotationZ(EyeRoll); Vector3f up = rollPitchYaw.Transform(UpVector); Vector3f forward = rollPitchYaw.Transform(ForwardVector); - + // Minimal head modelling. float headBaseToEyeHeight = 0.15f; // Vertical height of eye from base of head float headBaseToEyeProtrusion = 0.09f; // Distance forward of eye from base of head @@ -443,10 +455,10 @@ void OculusRoomTinyApp::OnIdle() Vector3f shiftedEyePos = EyePos + rollPitchYaw.Transform(eyeCenterInHeadFrame); shiftedEyePos.y -= eyeCenterInHeadFrame.y; // Bring the head back down to original height - View = Matrix4f::LookAtRH(shiftedEyePos, shiftedEyePos + forward, up); + View = Matrix4f::LookAtRH(shiftedEyePos, shiftedEyePos + forward, up); - // This is what transformation would be without head modeling. - // View = Matrix4f::LookAtRH(EyePos, EyePos + forward, up); + // This is what transformation would be without head modeling. + // View = Matrix4f::LookAtRH(EyePos, EyePos + forward, up); switch(SConfig.GetStereoMode()) { @@ -459,231 +471,49 @@ void OculusRoomTinyApp::OnIdle() Render(SConfig.GetEyeRenderParams(StereoEye_Right)); break; } - + pRender->Present(); // Force GPU to flush the scene, resulting in the lowest possible latency. pRender->ForceFlushGPU(); } - // Render the scene for one eye. void OculusRoomTinyApp::Render(const StereoEyeParams& stereo) { pRender->BeginScene(PostProcess); // Apply Viewport/Projection for the eye. - pRender->ApplyStereoParams(stereo); + pRender->ApplyStereoParams(stereo); pRender->Clear(); pRender->SetDepthMode(true, true); - + Scene.Render(pRender, stereo.ViewAdjust * View); pRender->FinishScene(); } -//------------------------------------------------------------------------------------- -// ***** Win32-Specific Logic - -bool OculusRoomTinyApp::setupWindow() -{ - - WNDCLASS wc; - memset(&wc, 0, sizeof(wc)); - wc.lpszClassName = L"OVRAppWindow"; - wc.style = CS_OWNDC; - wc.lpfnWndProc = systemWindowProc; - wc.cbWndExtra = sizeof(OculusRoomTinyApp*); - RegisterClass(&wc); - - - RECT winSize = { 0, 0, Width, Height }; - AdjustWindowRect(&winSize, WS_POPUP, false); - hWnd = CreateWindowA("OVRAppWindow", "OculusRoomTiny", WS_POPUP|WS_VISIBLE, - HMDInfo.DesktopX, HMDInfo.DesktopY, - winSize.right-winSize.left, winSize.bottom-winSize.top, - NULL, NULL, hInstance, (LPVOID)this); - - - // Initialize Window center in screen coordinates - POINT center = { Width / 2, Height / 2 }; - ::ClientToScreen(hWnd, ¢er); - WindowCenter = center; - - - return (hWnd != NULL); -} - -void OculusRoomTinyApp::destroyWindow() -{ - pRender.Clear(); - - if (hWnd) - { - // Release window resources. - ::DestroyWindow(hWnd); - UnregisterClass(L"OVRAppWindow", hInstance); - hWnd = 0; - Width = Height = 0; - } -} - - -LRESULT CALLBACK OculusRoomTinyApp::systemWindowProc(HWND hwnd, UINT msg, WPARAM wp, LPARAM lp) -{ - if (msg == WM_NCCREATE) - pApp->hWnd = hwnd; - return pApp->windowProc(msg, wp, lp); -} - -void OculusRoomTinyApp::giveUsFocus(bool setFocus) -{ - if (setFocus) - { - ::SetCursorPos(WindowCenter.x, WindowCenter.y); - - MouseCaptured = true; - ::SetCapture(hWnd); - ::ShowCursor(FALSE); - - } - else - { - MouseCaptured = false; - ::ReleaseCapture(); - ::ShowCursor(TRUE); - } -} - -LRESULT OculusRoomTinyApp::windowProc(UINT msg, WPARAM wp, LPARAM lp) -{ - switch (msg) - { - case WM_MOUSEMOVE: - { - if (MouseCaptured) - { - // Convert mouse motion to be relative (report the offset and re-center). - POINT newPos = { LOWORD(lp), HIWORD(lp) }; - ::ClientToScreen(hWnd, &newPos); - if ((newPos.x == WindowCenter.x) && (newPos.y == WindowCenter.y)) - break; - ::SetCursorPos(WindowCenter.x, WindowCenter.y); - - LONG dx = newPos.x - WindowCenter.x; - LONG dy = newPos.y - WindowCenter.y; - pApp->OnMouseMove(dx, dy, 0); - } - } - break; - - case WM_MOVE: - { - RECT r; - GetClientRect(hWnd, &r); - WindowCenter.x = r.right/2; - WindowCenter.y = r.bottom/2; - ::ClientToScreen(hWnd, &WindowCenter); - } - break; - - case WM_KEYDOWN: - OnKey((unsigned)wp, true); - break; - case WM_KEYUP: - OnKey((unsigned)wp, false); - break; - - case WM_SETFOCUS: - giveUsFocus(true); - break; - - case WM_KILLFOCUS: - giveUsFocus(false); - break; - - case WM_CREATE: - // Hack to position mouse in fullscreen window shortly after startup. - SetTimer(hWnd, 0, 100, NULL); - break; - - case WM_TIMER: - KillTimer(hWnd, 0); - giveUsFocus(true); - break; - - case WM_QUIT: - case WM_CLOSE: - Quit = true; - return 0; - } - - return DefWindowProc(hWnd, msg, wp, lp); -} - -static inline float GamepadStick(short in) -{ - float v; - if (abs(in) < 9000) - return 0; - else if (in > 9000) - v = (float) in - 9000; - else - v = (float) in + 9000; - return v / (32767 - 9000); -} - -static inline float GamepadTrigger(BYTE in) -{ - return (in < 30) ? 0.0f : (float(in-30) / 225); -} int OculusRoomTinyApp::Run() { - // Loop processing messages until Quit flag is set, - // rendering game scene inside of OnIdle(). - - while (!Quit) - { - MSG msg; - if (PeekMessage(&msg, NULL, 0, 0, PM_REMOVE)) - { - TranslateMessage(&msg); - DispatchMessage(&msg); - } - else - { - // Read game-pad. - XINPUT_STATE xis; - - if (pXInputGetState && !pXInputGetState(0, &xis) && - (xis.dwPacketNumber != LastPadPacketNo)) - { - OnGamepad(GamepadStick(xis.Gamepad.sThumbLX), - GamepadStick(xis.Gamepad.sThumbLY), - GamepadStick(xis.Gamepad.sThumbRX), - GamepadStick(xis.Gamepad.sThumbRY)); - //pad.LT = GamepadTrigger(xis.Gamepad.bLeftTrigger); - LastPadPacketNo = xis.dwPacketNumber; - } - - pApp->OnIdle(); - - // Keep sleeping when we're minimized. - if (IsIconic(hWnd)) - Sleep(10); - } + pRender->SetWindowSize(Width, Height); + pRender->SetViewport(0, 0, Width, Height); + while (!Quit) { + glfwPollEvents(); + OnIdle(); } - return 0; } - //------------------------------------------------------------------------------------- // ***** Program Startup +#ifdef WIN32 +int WINAPI WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int nShowCmd) +#else +int main(int argc, char ** argv) +#endif -int WINAPI WinMain(HINSTANCE hinst, HINSTANCE, LPSTR inArgs, int) { int exitCode = 0; @@ -693,10 +523,8 @@ int WINAPI WinMain(HINSTANCE hinst, HINSTANCE, LPSTR inArgs, int) // Scope to force application destructor before System::Destroy. { - OculusRoomTinyApp app(hinst); - //app.hInstance = hinst; - - exitCode = app.OnStartup(inArgs); + OculusRoomTinyApp app; + exitCode = app.OnStartup(0); if (!exitCode) { // Processes messages and calls OnIdle() to do rendering. @@ -706,7 +534,5 @@ int WINAPI WinMain(HINSTANCE hinst, HINSTANCE, LPSTR inArgs, int) // No OVR functions involving memory are allowed after this. OVR::System::Destroy(); - - OVR_DEBUG_STATEMENT(_CrtDumpMemoryLeaks()); return exitCode; } diff --git a/Samples/OculusRoomTiny/OSX_OculusRoomTiny.h b/Samples/OculusRoomTiny/OculusRoomTiny.h index 280fda5..f9d5481 100644 --- a/Samples/OculusRoomTiny/OSX_OculusRoomTiny.h +++ b/Samples/OculusRoomTiny/OculusRoomTiny.h @@ -1,65 +1,40 @@ /************************************************************************************ - + Filename : OSX_OculusRoomTiny.h Content : Simplest possible first-person view test application for Oculus Rift Created : May 7, 2013 Authors : Michael Antonov, Andrew Reisse, Artem Bolgar - + Copyright : Copyright 2013 Oculus, Inc. All Rights reserved. - + Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at - + http://www.apache.org/licenses/LICENSE-2.0 - + Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. - + *************************************************************************************/ -#ifndef INC_OSX_OculusRoomTiny_h -#define INC_OSX_OculusRoomTiny_h +#pragma once -#import <Cocoa/Cocoa.h> +#include "OVR.h" +#include "GL/glew.h" +#include "GLFW/glfw3.h" -#import <CoreGraphics/CoreGraphics.h> -#import <CoreGraphics/CGDirectDisplay.h> - -#include "OVR.h" -#include "Util/Util_Render_Stereo.h" -#include "../../LibOVR/Src/Kernel/OVR_Timer.h" -#include "RenderTiny_GL_Device.h" +//#include "Util/Util_Render_Stereo.h" +#include <Kernel/OVR_Timer.h> +#include "RenderTiny_Device.h" using namespace OVR; +using namespace OVR::Util::Render; using namespace OVR::RenderTiny; -class OculusRoomTinyApp; - -@interface OVRApp : NSApplication - -@property (assign) IBOutlet NSWindow* win; -@property (assign) OculusRoomTinyApp* App; - --(void) run; - -@end - -@interface OVRView : NSOpenGLView <NSWindowDelegate> - -//@property (assign) OVR::Platform::OSX::PlatformCore* Platform; -@property (assign) OculusRoomTinyApp* App; -@property unsigned long Modifiers; - --(void)ProcessMouse:(NSEvent*)event; --(void)warpMouseToCenter; - -+(CGDirectDisplayID) displayFromScreen:(NSScreen*)s; - -@end //------------------------------------------------------------------------------------- // ***** OculusRoomTiny Description @@ -75,11 +50,12 @@ class OculusRoomTinyApp; // F2 - Stereo, no distortion. // F3 - Stereo and distortion. // - +// // The world RHS coordinate system is defines as follows (as seen in perspective view): // Y - Up // Z - Back // X - Right + const Vector3f UpVector(0.0f, 1.0f, 0.0f); const Vector3f ForwardVector(0.0f, 0.0f, -1.0f); const Vector3f RightVector(1.0f, 0.0f, 0.0f); @@ -89,26 +65,6 @@ const float YawInitial = 3.141592f; const float Sensitivity = 1.0f; const float MoveSpeed = 3.0f; // m/s -namespace OSX -{ - class RenderDevice : public GL::RenderDevice - { - public: - void* Context; // NSOpenGLContext - - // osview = NSView* - RenderDevice(const RendererParams& p, void* osview, void* context); - - virtual void Shutdown(); - virtual void Present(); - - virtual bool SetFullscreen(DisplayMode fullscreen); - - // osview = NSView* - static RenderDevice* CreateDevice(const RendererParams& rp, void* osview); - }; -} - //------------------------------------------------------------------------------------- // ***** OculusRoomTiny Application class @@ -126,91 +82,87 @@ namespace OSX class OculusRoomTinyApp : public MessageHandler { - friend class OSX::RenderDevice; public: - OculusRoomTinyApp(OVRApp* nsapp); + OculusRoomTinyApp(); ~OculusRoomTinyApp(); - + // Initializes graphics, Rift input and creates world model. virtual int OnStartup(const char* args); // Called per frame to sample SensorFucion and render the world. virtual void OnIdle(); - + // Installed for Oculus device messages. Optional. virtual void OnMessage(const Message& msg); - + // Handle input events for movement. + virtual void OnGamepad(float padLx, float padLY, float padRx, float padRy); virtual void OnMouseMove(int x, int y, int modifiers); virtual void OnKey(unsigned vk, bool down); - + // Render the view for one eye. void Render(const StereoEyeParams& stereo); - + // Main application loop. int Run(); void Exit(); - + // Return amount of time passed since application started in seconds. double GetAppTime() const { return (OVR::Timer::GetTicks() - StartupTicks) * (1.0 / (double)OVR::Timer::MksPerSecond); } - bool IsQuiting() const { return Quit; } - + + bool IsQuiting() const { return Quit; } int GetWidth() const { return Width; } int GetHeight() const { return Height; } - bool SetFullscreen(const RendererParams& rp, int fullscreen); - + protected: bool setupWindow(); void destroyWindow(); - NSView* View; - NSWindow* Win; - OVRApp* NsApp; - - static OculusRoomTinyApp* pApp; - - // *** Rendering Variables - Ptr<OSX::RenderDevice> pRender; + GLFWwindow * window; + Ptr<RenderTiny::RenderDevice> pRender; RendererParams RenderParams; int Width, Height; - bool Quit; // *** Oculus HMD Variables - Ptr<DeviceManager> pManager; Ptr<SensorDevice> pSensor; Ptr<HMDDevice> pHMD; SensorFusion SFusion; OVR::HMDInfo HMDInfo; - + // Last update seconds, used for move speed timing. double LastUpdate; OVR::UInt64 StartupTicks; - + // Position and look. The following apply: Vector3f EyePos; - float EyeYaw; // Rotation around Y, CCW positive when looking at RHS (X,Z) plane. - float EyePitch; // Pitch. If sensor is plugged in, only read from sensor. - float EyeRoll; // Roll, only accessible from Sensor. - float LastSensorYaw; // Stores previous Yaw value from to support computing delta. - + // Rotation around Y, CCW positive when looking at RHS (X,Z) plane. + float EyeYaw; + // Pitch. If sensor is plugged in, only read from sensor. + float EyePitch; + // Roll, only accessible from Sensor. + float EyeRoll; + // Stores previous Yaw value from to support computing delta. + float LastSensorYaw; + // Movement state; different bits may be set based on the state of keys. UByte MoveForward; UByte MoveBack; UByte MoveLeft; UByte MoveRight; - - Matrix4f ViewMat; + Vector3f GamepadMove, GamepadRotate; + + Matrix4f View; RenderTiny::Scene Scene; - + // Stereo view parameters. StereoConfig SConfig; PostProcessType PostProcess; - + // Shift accelerates movement/adjustment velocity. bool ShiftDown; bool ControlDown; @@ -219,5 +171,3 @@ protected: // Adds sample models and lights to the argument scene. void PopulateRoomScene(Scene* scene, RenderDevice* render); - -#endif diff --git a/Samples/OculusRoomTiny/OculusRoomTiny.rc b/Samples/OculusRoomTiny/OculusRoomTiny.rc Binary files differdeleted file mode 100644 index 49a6a5a..0000000 --- a/Samples/OculusRoomTiny/OculusRoomTiny.rc +++ /dev/null diff --git a/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj b/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj deleted file mode 100644 index 4bc37a8..0000000 --- a/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj +++ /dev/null @@ -1,187 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup Label="ProjectConfigurations"> - <ProjectConfiguration Include="Debug|Win32"> - <Configuration>Debug</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Debug|x64"> - <Configuration>Debug</Configuration> - <Platform>x64</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Release|Win32"> - <Configuration>Release</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Release|x64"> - <Configuration>Release</Configuration> - <Platform>x64</Platform> - </ProjectConfiguration> - </ItemGroup> - <PropertyGroup Label="Globals"> - <ProjectGuid>{80523489-2881-4F64-8C3B-FAF88B60ABCD}</ProjectGuid> - <Keyword>Win32Proj</Keyword> - <RootNamespace>OculusRoomTiny</RootNamespace> - <ProjectName>OculusRoomTiny</ProjectName> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>true</UseDebugLibraries> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>true</UseDebugLibraries> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>false</UseDebugLibraries> - <WholeProgramOptimization>true</WholeProgramOptimization> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>false</UseDebugLibraries> - <WholeProgramOptimization>true</WholeProgramOptimization> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" /> - <ImportGroup Label="ExtensionSettings"> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="PropertySheets"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="PropertySheets"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <PropertyGroup Label="UserMacros" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <LinkIncremental>true</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> - <LinkIncremental>true</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <LinkIncremental>false</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> - <LinkIncremental>false</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <ClCompile> - <PrecompiledHeader> - </PrecompiledHeader> - <WarningLevel>Level4</WarningLevel> - <Optimization>Disabled</Optimization> - <PreprocessorDefinitions>OVR_BUILD_DEBUG;WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <MinimalRebuild>false</MinimalRebuild> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <AdditionalDependencies>libovrd.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> - <ClCompile> - <PrecompiledHeader> - </PrecompiledHeader> - <WarningLevel>Level4</WarningLevel> - <Optimization>Disabled</Optimization> - <PreprocessorDefinitions>OVR_BUILD_DEBUG;WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <MinimalRebuild>false</MinimalRebuild> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <AdditionalDependencies>libovr64d.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - <AdditionalLibraryDirectories>../../LibOVR/Lib/x64;$(DXSDK_DIR)/Lib/x64;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <ClCompile> - <WarningLevel>Level4</WarningLevel> - <PrecompiledHeader> - </PrecompiledHeader> - <Optimization>MaxSpeed</Optimization> - <FunctionLevelLinking>true</FunctionLevelLinking> - <IntrinsicFunctions>true</IntrinsicFunctions> - <PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <RuntimeLibrary>MultiThreaded</RuntimeLibrary> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>false</GenerateDebugInformation> - <EnableCOMDATFolding>true</EnableCOMDATFolding> - <OptimizeReferences>true</OptimizeReferences> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - <AdditionalDependencies>libovr.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> - <ClCompile> - <WarningLevel>Level4</WarningLevel> - <PrecompiledHeader> - </PrecompiledHeader> - <Optimization>MaxSpeed</Optimization> - <FunctionLevelLinking>true</FunctionLevelLinking> - <IntrinsicFunctions>true</IntrinsicFunctions> - <PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <RuntimeLibrary>MultiThreaded</RuntimeLibrary> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <EnableCOMDATFolding>true</EnableCOMDATFolding> - <OptimizeReferences>true</OptimizeReferences> - <AdditionalLibraryDirectories>../../LibOVR/Lib/x64;$(DXSDK_DIR)/Lib/x64;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - <AdditionalDependencies>libovr64.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - </Link> - </ItemDefinitionGroup> - <ItemGroup> - <ClCompile Include="OculusRoomModel.cpp" /> - <ClCompile Include="RenderTiny_D3D1X_Device.cpp" /> - <ClCompile Include="RenderTiny_Device.cpp" /> - <ClCompile Include="Win32_OculusRoomTiny.cpp" /> - </ItemGroup> - <ItemGroup> - <ClInclude Include="RenderTiny_D3D1X_Device.h" /> - <ClInclude Include="RenderTiny_Device.h" /> - <ClInclude Include="Win32_OculusRoomTiny.h" /> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="OculusRoomTiny.rc" /> - </ItemGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" /> - <ImportGroup Label="ExtensionTargets"> - </ImportGroup> -</Project>
\ No newline at end of file diff --git a/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj.filters b/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj.filters deleted file mode 100644 index 3c09bd5..0000000 --- a/Samples/OculusRoomTiny/OculusRoomTiny_Msvc2010.vcxproj.filters +++ /dev/null @@ -1,17 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup> - <ClCompile Include="OculusRoomModel.cpp" /> - <ClCompile Include="RenderTiny_D3D1X_Device.cpp" /> - <ClCompile Include="RenderTiny_Device.cpp" /> - <ClCompile Include="Win32_OculusRoomTiny.cpp" /> - </ItemGroup> - <ItemGroup> - <ClInclude Include="RenderTiny_Device.h" /> - <ClInclude Include="RenderTiny_D3D1X_Device.h" /> - <ClInclude Include="Win32_OculusRoomTiny.h" /> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="OculusRoomTiny.rc" /> - </ItemGroup> -</Project>
\ No newline at end of file diff --git a/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.cpp b/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.cpp deleted file mode 100644 index a1a567a..0000000 --- a/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.cpp +++ /dev/null @@ -1,1311 +0,0 @@ -/************************************************************************************ - -Filename : RenderTiny_D3D1x.cpp -Content : RenderDevice implementation for D3DX10/11. -Created : September 10, 2012 -Authors : Andrew Reisse - -Copyright : Copyright 2012 Oculus VR, Inc. All Rights reserved. - -Licensed under the Apache License, Version 2.0 (the "License"); -you may not use this file except in compliance with the License. -You may obtain a copy of the License at - -http://www.apache.org/licenses/LICENSE-2.0 - -Unless required by applicable law or agreed to in writing, software -distributed under the License is distributed on an "AS IS" BASIS, -WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -See the License for the specific language governing permissions and -limitations under the License. - -************************************************************************************/ - -#include "Kernel/OVR_Log.h" -#include "Kernel/OVR_Std.h" - -#include "RenderTiny_D3D1X_Device.h" - -#include <d3dcompiler.h> - -namespace OVR { namespace RenderTiny { namespace D3D10 { - - -//------------------------------------------------------------------------------------- -// Vertex format -static D3D1x_(INPUT_ELEMENT_DESC) ModelVertexDesc[] = -{ - {"Position", 0, DXGI_FORMAT_R32G32B32_FLOAT, 0, offsetof(Vertex, Pos), D3D1x_(INPUT_PER_VERTEX_DATA), 0}, - {"Color", 0, DXGI_FORMAT_R8G8B8A8_UNORM, 0, offsetof(Vertex, C), D3D1x_(INPUT_PER_VERTEX_DATA), 0}, - {"TexCoord", 0, DXGI_FORMAT_R32G32_FLOAT, 0, offsetof(Vertex, U), D3D1x_(INPUT_PER_VERTEX_DATA), 0}, - {"Normal", 0, DXGI_FORMAT_R32G32B32_FLOAT, 0, offsetof(Vertex, Norm), D3D1x_(INPUT_PER_VERTEX_DATA), 0}, -}; - -// These shaders are used to render the world, including lit vertex-colored and textured geometry. - -// Used for world geometry; has projection matrix. -static const char* StdVertexShaderSrc = - "float4x4 Proj;\n" - "float4x4 View;\n" - "struct Varyings\n" - "{\n" - " float4 Position : SV_Position;\n" - " float4 Color : COLOR0;\n" - " float2 TexCoord : TEXCOORD0;\n" - " float3 Normal : NORMAL;\n" - " float3 VPos : TEXCOORD4;\n" - "};\n" - "void main(in float4 Position : POSITION, in float4 Color : COLOR0, in float2 TexCoord : TEXCOORD0," - " in float3 Normal : NORMAL,\n" - " out Varyings ov)\n" - "{\n" - " ov.Position = mul(Proj, mul(View, Position));\n" - " ov.Normal = mul(View, Normal);\n" - " ov.VPos = mul(View, Position);\n" - " ov.TexCoord = TexCoord;\n" - " ov.Color = Color;\n" - "}\n"; - -// Used for text/clearing; no projection. -static const char* DirectVertexShaderSrc = - "float4x4 View : register(c4);\n" - "void main(in float4 Position : POSITION, in float4 Color : COLOR0,\n" - " in float2 TexCoord : TEXCOORD0, in float3 Normal : NORMAL,\n" - " out float4 oPosition : SV_Position, out float4 oColor : COLOR,\n" - " out float2 oTexCoord : TEXCOORD0," - " out float3 oNormal : NORMAL)\n" - "{\n" - " oPosition = mul(View, Position);\n" - " oTexCoord = TexCoord;\n" - " oColor = Color;\n" - " oNormal = mul(View, Normal);\n" - "}\n"; - -static const char* SolidPixelShaderSrc = - "float4 Color;\n" - "struct Varyings\n" - "{\n" - " float4 Position : SV_Position;\n" - " float4 Color : COLOR0;\n" - " float2 TexCoord : TEXCOORD0;\n" - "};\n" - "float4 main(in Varyings ov) : SV_Target\n" - "{\n" - " return Color;\n" - "}\n"; - -static const char* GouraudPixelShaderSrc = - "struct Varyings\n" - "{\n" - " float4 Position : SV_Position;\n" - " float4 Color : COLOR0;\n" - " float2 TexCoord : TEXCOORD0;\n" - "};\n" - "float4 main(in Varyings ov) : SV_Target\n" - "{\n" - " return ov.Color;\n" - "}\n"; - -static const char* TexturePixelShaderSrc = - "Texture2D Texture : register(t0);\n" - "SamplerState Linear : register(s0);\n" - "struct Varyings\n" - "{\n" - " float4 Position : SV_Position;\n" - " float4 Color : COLOR0;\n" - " float2 TexCoord : TEXCOORD0;\n" - "};\n" - "float4 main(in Varyings ov) : SV_Target\n" - "{\n" - " float4 color2 = ov.Color * Texture.Sample(Linear, ov.TexCoord);\n" - " if (color2.a <= 0.4)\n" - " discard;\n" - " return color2;\n" - "}\n"; - - -#define LIGHTING_COMMON \ - "cbuffer Lighting : register(b1)\n" \ - "{\n" \ - " float3 Ambient;\n" \ - " float3 LightPos[8];\n" \ - " float4 LightColor[8];\n" \ - " float LightCount;\n" \ - "};\n" \ - "struct Varyings\n" \ - "{\n" \ - " float4 Position : SV_Position;\n" \ - " float4 Color : COLOR0;\n" \ - " float2 TexCoord : TEXCOORD0;\n" \ - " float3 Normal : NORMAL;\n" \ - " float3 VPos : TEXCOORD4;\n" \ - "};\n" \ - "float4 DoLight(Varyings v)\n" \ - "{\n" \ - " float3 norm = normalize(v.Normal);\n" \ - " float3 light = Ambient;\n" \ - " for (uint i = 0; i < LightCount; i++)\n"\ - " {\n" \ - " float3 ltp = (LightPos[i] - v.VPos);\n" \ - " float ldist = dot(ltp,ltp);\n" \ - " ltp = normalize(ltp);\n" \ - " light += saturate(LightColor[i] * v.Color.rgb * dot(norm, ltp) / sqrt(ldist));\n"\ - " }\n" \ - " return float4(light, v.Color.a);\n" \ - "}\n" - -static const char* LitSolidPixelShaderSrc = - LIGHTING_COMMON - "float4 main(in Varyings ov) : SV_Target\n" - "{\n" - " return DoLight(ov) * ov.Color;\n" - "}\n"; - -static const char* LitTexturePixelShaderSrc = - "Texture2D Texture : register(t0);\n" - "SamplerState Linear : register(s0);\n" - LIGHTING_COMMON - "float4 main(in Varyings ov) : SV_Target\n" - "{\n" - " return DoLight(ov) * Texture.Sample(Linear, ov.TexCoord);\n" - "}\n"; - - -//------------------------------------------------------------------------------------- -// ***** Distortion Post-process Shaders - -static const char* PostProcessVertexShaderSrc = - "float4x4 View : register(c4);\n" - "float4x4 Texm : register(c8);\n" - "void main(in float4 Position : POSITION, in float4 Color : COLOR0, in float2 TexCoord : TEXCOORD0,\n" - " out float4 oPosition : SV_Position, out float4 oColor : COLOR, out float2 oTexCoord : TEXCOORD0)\n" - "{\n" - " oPosition = mul(View, Position);\n" - " oTexCoord = mul(Texm, float4(TexCoord,0,1));\n" - " oColor = Color;\n" - "}\n"; - -// Shader with just lens distortion correction. -static const char* PostProcessPixelShaderSrc = - "Texture2D Texture : register(t0);\n" - "SamplerState Linear : register(s0);\n" - "float2 LensCenter;\n" - "float2 ScreenCenter;\n" - "float2 Scale;\n" - "float2 ScaleIn;\n" - "float4 HmdWarpParam;\n" - "\n" - - // Scales input texture coordinates for distortion. - // ScaleIn maps texture coordinates to Scales to ([-1, 1]), although top/bottom will be - // larger due to aspect ratio. - "float2 HmdWarp(float2 in01)\n" - "{\n" - " float2 theta = (in01 - LensCenter) * ScaleIn;\n" // Scales to [-1, 1] - " float rSq = theta.x * theta.x + theta.y * theta.y;\n" - " float2 theta1 = theta * (HmdWarpParam.x + HmdWarpParam.y * rSq + " - " HmdWarpParam.z * rSq * rSq + HmdWarpParam.w * rSq * rSq * rSq);\n" - " return LensCenter + Scale * theta1;\n" - "}\n" - - "float4 main(in float4 oPosition : SV_Position, in float4 oColor : COLOR,\n" - " in float2 oTexCoord : TEXCOORD0) : SV_Target\n" - "{\n" - " float2 tc = HmdWarp(oTexCoord);\n" - " if (any(clamp(tc, ScreenCenter-float2(0.25,0.5), ScreenCenter+float2(0.25, 0.5)) - tc))\n" - " return 0;\n" - " return Texture.Sample(Linear, tc);\n" - "}\n"; - -// Shader with lens distortion and chromatic aberration correction. -static const char* PostProcessPixelShaderWithChromAbSrc = - "Texture2D Texture : register(t0);\n" - "SamplerState Linear : register(s0);\n" - "float2 LensCenter;\n" - "float2 ScreenCenter;\n" - "float2 Scale;\n" - "float2 ScaleIn;\n" - "float4 HmdWarpParam;\n" - "float4 ChromAbParam;\n" - "\n" - - // Scales input texture coordinates for distortion. - // ScaleIn maps texture coordinates to Scales to ([-1, 1]), although top/bottom will be - // larger due to aspect ratio. - "float4 main(in float4 oPosition : SV_Position, in float4 oColor : COLOR,\n" - " in float2 oTexCoord : TEXCOORD0) : SV_Target\n" - "{\n" - " float2 theta = (oTexCoord - LensCenter) * ScaleIn;\n" // Scales to [-1, 1] - " float rSq= theta.x * theta.x + theta.y * theta.y;\n" - " float2 theta1 = theta * (HmdWarpParam.x + HmdWarpParam.y * rSq + " - " HmdWarpParam.z * rSq * rSq + HmdWarpParam.w * rSq * rSq * rSq);\n" - " \n" - " // Detect whether blue texture coordinates are out of range since these will scaled out the furthest.\n" - " float2 thetaBlue = theta1 * (ChromAbParam.z + ChromAbParam.w * rSq);\n" - " float2 tcBlue = LensCenter + Scale * thetaBlue;\n" - " if (any(clamp(tcBlue, ScreenCenter-float2(0.25,0.5), ScreenCenter+float2(0.25, 0.5)) - tcBlue))\n" - " return 0;\n" - " \n" - " // Now do blue texture lookup.\n" - " float blue = Texture.Sample(Linear, tcBlue).b;\n" - " \n" - " // Do green lookup (no scaling).\n" - " float2 tcGreen = LensCenter + Scale * theta1;\n" - " float green = Texture.Sample(Linear, tcGreen).g;\n" - " \n" - " // Do red scale and lookup.\n" - " float2 thetaRed = theta1 * (ChromAbParam.x + ChromAbParam.y * rSq);\n" - " float2 tcRed = LensCenter + Scale * thetaRed;\n" - " float red = Texture.Sample(Linear, tcRed).r;\n" - " \n" - " return float4(red, green, blue, 1);\n" - "}\n"; - - -static const char* VShaderSrcs[VShader_Count] = -{ - DirectVertexShaderSrc, - StdVertexShaderSrc, - PostProcessVertexShaderSrc -}; -static const char* FShaderSrcs[FShader_Count] = -{ - SolidPixelShaderSrc, - GouraudPixelShaderSrc, - TexturePixelShaderSrc, - PostProcessPixelShaderSrc, - PostProcessPixelShaderWithChromAbSrc, - LitSolidPixelShaderSrc, - LitTexturePixelShaderSrc -}; - - -//------------------------------------------------------------------------------------- -// ***** Buffer - -Buffer::~Buffer() -{ -} - -bool Buffer::Data(int use, const void *buffer, size_t size) -{ - if (D3DBuffer && Size >= size) - { - if (Dynamic) - { - if (!buffer) - return true; - - void* v = Map(0, size, Map_Discard); - if (v) - { - memcpy(v, buffer, size); - Unmap(v); - return true; - } - } - else - { - Ren->Context->UpdateSubresource(D3DBuffer, 0, NULL, buffer, 0, 0); - return true; - } - } - if (D3DBuffer) - { - D3DBuffer = NULL; - Size = 0; - Use = 0; - Dynamic = 0; - } - - D3D1x_(BUFFER_DESC) desc; - memset(&desc, 0, sizeof(desc)); - if (use & Buffer_ReadOnly) - { - desc.Usage = D3D1x_(USAGE_IMMUTABLE); - desc.CPUAccessFlags = 0; - } - else - { - desc.Usage = D3D1x_(USAGE_DYNAMIC); - desc.CPUAccessFlags = D3D1x_(CPU_ACCESS_WRITE); - Dynamic = 1; - } - - switch(use & Buffer_TypeMask) - { - case Buffer_Vertex: desc.BindFlags = D3D1x_(BIND_VERTEX_BUFFER); break; - case Buffer_Index: desc.BindFlags = D3D1x_(BIND_INDEX_BUFFER); break; - case Buffer_Uniform: - desc.BindFlags = D3D1x_(BIND_CONSTANT_BUFFER); - size += ((size + 15) & ~15) - size; - break; - } - - desc.ByteWidth = (unsigned)size; - - D3D1x_(SUBRESOURCE_DATA) sr; - sr.pSysMem = buffer; - sr.SysMemPitch = 0; - sr.SysMemSlicePitch = 0; - - HRESULT hr = Ren->Device->CreateBuffer(&desc, buffer ? &sr : NULL, &D3DBuffer.GetRawRef()); - if (SUCCEEDED(hr)) - { - Use = use; - Size = desc.ByteWidth; - return 1; - } - return 0; -} - -void* Buffer::Map(size_t start, size_t size, int flags) -{ - OVR_UNUSED(size); - - D3D1x_(MAP) mapFlags = D3D1x_(MAP_WRITE); - if (flags & Map_Discard) - mapFlags = D3D1x_(MAP_WRITE_DISCARD); - if (flags & Map_Unsynchronized) - mapFlags = D3D1x_(MAP_WRITE_NO_OVERWRITE); - - void* map = 0; - if (SUCCEEDED(D3DBuffer->Map(mapFlags, 0, &map))) - return ((char*)map) + start; - return NULL; -} - -bool Buffer::Unmap(void *m) -{ - OVR_UNUSED(m); - - D3DBuffer->Unmap(); - return true; -} - - -//------------------------------------------------------------------------------------- -// Shaders - -template<> bool Shader<RenderTiny::Shader_Vertex, ID3D10VertexShader>::Load(void* shader, size_t size) -{ - return SUCCEEDED(Ren->Device->CreateVertexShader(shader, size, &D3DShader)); -} -template<> bool Shader<RenderTiny::Shader_Pixel, ID3D10PixelShader>::Load(void* shader, size_t size) -{ - return SUCCEEDED(Ren->Device->CreatePixelShader(shader, size, &D3DShader)); -} - -template<> void Shader<RenderTiny::Shader_Vertex, ID3D10VertexShader>::Set(PrimitiveType) const -{ - Ren->Context->VSSetShader(D3DShader); -} -template<> void Shader<RenderTiny::Shader_Pixel, ID3D10PixelShader>::Set(PrimitiveType) const -{ - Ren->Context->PSSetShader(D3DShader); -} - -template<> void Shader<RenderTiny::Shader_Vertex, ID3D1xVertexShader>::SetUniformBuffer(RenderTiny::Buffer* buffer, int i) -{ - Ren->Context->VSSetConstantBuffers(i, 1, &((Buffer*)buffer)->D3DBuffer.GetRawRef()); -} -template<> void Shader<RenderTiny::Shader_Pixel, ID3D1xPixelShader>::SetUniformBuffer(RenderTiny::Buffer* buffer, int i) -{ - Ren->Context->PSSetConstantBuffers(i, 1, &((Buffer*)buffer)->D3DBuffer.GetRawRef()); -} - - -//------------------------------------------------------------------------------------- -// ***** Shader Base - -ShaderBase::ShaderBase(RenderDevice* r, ShaderStage stage) - : RenderTiny::Shader(stage), Ren(r), UniformData(0) -{ -} -ShaderBase::~ShaderBase() -{ - if (UniformData) - OVR_FREE(UniformData); -} - -bool ShaderBase::SetUniform(const char* name, int n, const float* v) -{ - for(unsigned i = 0; i < UniformInfo.GetSize(); i++) - { - if (!strcmp(UniformInfo[i].Name.ToCStr(), name)) - { - memcpy(UniformData + UniformInfo[i].Offset, v, n * sizeof(float)); - return 1; - } - } - return 0; -} - -void ShaderBase::InitUniforms(ID3D10Blob* s) -{ - ID3D10ShaderReflection* ref = NULL; - D3D10ReflectShader(s->GetBufferPointer(), s->GetBufferSize(), &ref); - ID3D10ShaderReflectionConstantBuffer* buf = ref->GetConstantBufferByIndex(0); - D3D10_SHADER_BUFFER_DESC bufd; - if (FAILED(buf->GetDesc(&bufd))) - { - UniformsSize = 0; - if (UniformData) - { - OVR_FREE(UniformData); - UniformData = 0; - } - return; - } - - for(unsigned i = 0; i < bufd.Variables; i++) - { - ID3D10ShaderReflectionVariable* var = buf->GetVariableByIndex(i); - if (var) - { - D3D10_SHADER_VARIABLE_DESC vd; - if (SUCCEEDED(var->GetDesc(&vd))) - { - Uniform u; - u.Name = vd.Name; - u.Offset = vd.StartOffset; - u.Size = vd.Size; - UniformInfo.PushBack(u); - } - } - } - - UniformsSize = bufd.Size; - UniformData = (unsigned char*)OVR_ALLOC(bufd.Size); -} - -void ShaderBase::UpdateBuffer(Buffer* buf) -{ - if (UniformsSize) - { - buf->Data(Buffer_Uniform, UniformData, UniformsSize); - } -} - - -//------------------------------------------------------------------------------------- -// ***** Texture -// -Texture::Texture(RenderDevice* ren, int fmt, int w, int h) - : Ren(ren), Tex(NULL), TexSv(NULL), TexRtv(NULL), TexDsv(NULL), Width(w), Height(h) -{ - OVR_UNUSED(fmt); - Sampler = Ren->GetSamplerState(0); -} - -Texture::~Texture() -{ -} - -void Texture::Set(int slot, RenderTiny::ShaderStage stage) const -{ - Ren->SetTexture(stage, slot, this); -} - -void Texture::SetSampleMode(int sm) -{ - Sampler = Ren->GetSamplerState(sm); -} - - - -//------------------------------------------------------------------------------------- -// ***** Render Device - -RenderDevice::RenderDevice(const RendererParams& p, HWND window) -{ - RECT rc; - GetClientRect(window, &rc); - UINT width = rc.right - rc.left; - UINT height = rc.bottom - rc.top; - WindowWidth = width; - WindowHeight = height; - Window = window; - Params = p; - - HRESULT hr = CreateDXGIFactory(__uuidof(IDXGIFactory), (void**)(&DXGIFactory.GetRawRef())); - if (FAILED(hr)) - return; - - // Find the adapter & output (monitor) to use for fullscreen, based on the reported name of the HMD's monitor. - if (Params.MonitorName.GetLength() > 0) - { - for(UINT AdapterIndex = 0; ; AdapterIndex++) - { - HRESULT hr = DXGIFactory->EnumAdapters(AdapterIndex, &Adapter.GetRawRef()); - if (hr == DXGI_ERROR_NOT_FOUND) - break; - - DXGI_ADAPTER_DESC Desc; - Adapter->GetDesc(&Desc); - - UpdateMonitorOutputs(); - - if (FullscreenOutput) - break; - } - - if (!FullscreenOutput) - Adapter = NULL; - } - - if (!Adapter) - { - DXGIFactory->EnumAdapters(0, &Adapter.GetRawRef()); - } - - int flags = 0; - - hr = D3D10CreateDevice(Adapter, D3D10_DRIVER_TYPE_HARDWARE, NULL, flags, D3D1x_(SDK_VERSION), - &Device.GetRawRef()); - Context = Device; - Context->AddRef(); - - if (FAILED(hr)) - return; - - if (!RecreateSwapChain()) - return; - - if (Params.Fullscreen) - SwapChain->SetFullscreenState(1, FullscreenOutput); - - CurRenderTarget = NULL; - for(int i = 0; i < Shader_Count; i++) - { - UniformBuffers[i] = *CreateBuffer(); - MaxTextureSet[i] = 0; - } - - ID3D10Blob* vsData = CompileShader("vs_4_0", DirectVertexShaderSrc); - VertexShaders[VShader_MV] = *new VertexShader(this, vsData); - for(int i = 1; i < VShader_Count; i++) - { - VertexShaders[i] = *new VertexShader(this, CompileShader("vs_4_0", VShaderSrcs[i])); - } - - for(int i = 0; i < FShader_Count; i++) - { - PixelShaders[i] = *new PixelShader(this, CompileShader("ps_4_0", FShaderSrcs[i])); - } - - SPInt bufferSize = vsData->GetBufferSize(); - const void* buffer = vsData->GetBufferPointer(); - ID3D1xInputLayout** objRef = &ModelVertexIL.GetRawRef(); - - HRESULT validate = Device->CreateInputLayout(ModelVertexDesc, sizeof(ModelVertexDesc)/sizeof(D3D1x_(INPUT_ELEMENT_DESC)), - buffer, bufferSize, objRef); - OVR_UNUSED(validate); - - Ptr<ShaderSet> gouraudShaders = *new ShaderSet(); - gouraudShaders->SetShader(VertexShaders[VShader_MVP]); - gouraudShaders->SetShader(PixelShaders[FShader_Gouraud]); - DefaultFill = *new ShaderFill(gouraudShaders); - - D3D1x_(BLEND_DESC) bm; - memset(&bm, 0, sizeof(bm)); - bm.BlendEnable[0] = true; - bm.BlendOp = bm.BlendOpAlpha = D3D1x_(BLEND_OP_ADD); - bm.SrcBlend = bm.SrcBlendAlpha = D3D1x_(BLEND_SRC_ALPHA); - bm.DestBlend = bm.DestBlendAlpha = D3D1x_(BLEND_INV_SRC_ALPHA); - bm.RenderTargetWriteMask[0] = D3D1x_(COLOR_WRITE_ENABLE_ALL); - Device->CreateBlendState(&bm, &BlendState.GetRawRef()); - - D3D1x_(RASTERIZER_DESC) rs; - memset(&rs, 0, sizeof(rs)); - rs.AntialiasedLineEnable = true; - rs.CullMode = D3D1x_(CULL_BACK); - rs.DepthClipEnable = true; - rs.FillMode = D3D1x_(FILL_SOLID); - Device->CreateRasterizerState(&rs, &Rasterizer.GetRawRef()); - - QuadVertexBuffer = *CreateBuffer(); - const RenderTiny::Vertex QuadVertices[] = - { Vertex(Vector3f(0, 1, 0)), Vertex(Vector3f(1, 1, 0)), - Vertex(Vector3f(0, 0, 0)), Vertex(Vector3f(1, 0, 0)) }; - QuadVertexBuffer->Data(Buffer_Vertex, QuadVertices, sizeof(QuadVertices)); - - SetDepthMode(0, 0); -} - -RenderDevice::~RenderDevice() -{ - if (SwapChain && Params.Fullscreen) - { - SwapChain->SetFullscreenState(false, NULL); - } -} - - -// Implement static initializer function to create this class. -RenderTiny::RenderDevice* RenderDevice::CreateDevice(const RendererParams& rp, void* oswnd) -{ - return new RenderDevice(rp, (HWND)oswnd); -} - - -// Fallback monitor enumeration in case newly plugged in monitor wasn't detected. -// Added originally for the FactoryTest app. -// New Outputs don't seem to be detected unless adapter is re-created, but that would also -// require us to re-initialize D3D10 (recreating objects, etc). This bypasses that for "fake" -// fullscreen modes. -BOOL CALLBACK MonitorEnumFunc(HMONITOR hMonitor, HDC, LPRECT, LPARAM dwData) -{ - RenderDevice* renderer = (RenderDevice*)dwData; - - MONITORINFOEX monitor; - monitor.cbSize = sizeof(monitor); - - if (::GetMonitorInfo(hMonitor, &monitor) && monitor.szDevice[0]) - { - DISPLAY_DEVICE dispDev; - memset(&dispDev, 0, sizeof(dispDev)); - dispDev.cb = sizeof(dispDev); - - if (::EnumDisplayDevices(monitor.szDevice, 0, &dispDev, 0)) - { - if (strstr(String(dispDev.DeviceName).ToCStr(), renderer->GetParams().MonitorName.ToCStr())) - { - renderer->FSDesktopX = monitor.rcMonitor.left; - renderer->FSDesktopY = monitor.rcMonitor.top; - return FALSE; - } - } - } - - return TRUE; -} - - -void RenderDevice::UpdateMonitorOutputs() -{ - HRESULT hr; - - bool deviceNameFound = false; - - for(UINT OutputIndex = 0; ; OutputIndex++) - { - Ptr<IDXGIOutput> Output; - hr = Adapter->EnumOutputs(OutputIndex, &Output.GetRawRef()); - if (hr == DXGI_ERROR_NOT_FOUND) - { - break; - } - - DXGI_OUTPUT_DESC OutDesc; - Output->GetDesc(&OutDesc); - - MONITORINFOEX monitor; - monitor.cbSize = sizeof(monitor); - if (::GetMonitorInfo(OutDesc.Monitor, &monitor) && monitor.szDevice[0]) - { - DISPLAY_DEVICE dispDev; - memset(&dispDev, 0, sizeof(dispDev)); - dispDev.cb = sizeof(dispDev); - - if (::EnumDisplayDevices(monitor.szDevice, 0, &dispDev, 0)) - { - if (strstr(String(dispDev.DeviceName).ToCStr(), Params.MonitorName.ToCStr())) - { - deviceNameFound = true; - FullscreenOutput = Output; - FSDesktopX = monitor.rcMonitor.left; - FSDesktopY = monitor.rcMonitor.top; - break; - } - } - } - } - - if (!deviceNameFound && !Params.MonitorName.IsEmpty()) - { - EnumDisplayMonitors(0, 0, MonitorEnumFunc, (LPARAM)this); - } -} - -bool RenderDevice::RecreateSwapChain() -{ - DXGI_SWAP_CHAIN_DESC scDesc; - memset(&scDesc, 0, sizeof(scDesc)); - scDesc.BufferCount = 1; - scDesc.BufferDesc.Width = WindowWidth; - scDesc.BufferDesc.Height = WindowHeight; - scDesc.BufferDesc.Format = DXGI_FORMAT_R8G8B8A8_UNORM; - scDesc.BufferDesc.RefreshRate.Numerator = 60; - scDesc.BufferDesc.RefreshRate.Denominator = 1; - scDesc.BufferUsage = DXGI_USAGE_RENDER_TARGET_OUTPUT; - scDesc.OutputWindow = Window; - scDesc.SampleDesc.Count = Params.Multisample; - scDesc.SampleDesc.Quality = 0; - scDesc.Windowed = (Params.Fullscreen != Display_Fullscreen); - scDesc.Flags = DXGI_SWAP_CHAIN_FLAG_ALLOW_MODE_SWITCH; - - if (SwapChain) - { - SwapChain->SetFullscreenState(FALSE, NULL); - SwapChain->Release(); - SwapChain = NULL; - } - - Ptr<IDXGISwapChain> newSC; - if (FAILED(DXGIFactory->CreateSwapChain(Device, &scDesc, &newSC.GetRawRef()))) - return false; - SwapChain = newSC; - - BackBuffer = NULL; - BackBufferRT = NULL; - HRESULT hr = SwapChain->GetBuffer(0, __uuidof(ID3D1xTexture2D), (void**)&BackBuffer.GetRawRef()); - if (FAILED(hr)) - return false; - - hr = Device->CreateRenderTargetView(BackBuffer, NULL, &BackBufferRT.GetRawRef()); - if (FAILED(hr)) - return false; - - Texture* depthBuffer = GetDepthBuffer(WindowWidth, WindowHeight, Params.Multisample); - CurDepthBuffer = depthBuffer; - if (CurRenderTarget == NULL) - { - Context->OMSetRenderTargets(1, &BackBufferRT.GetRawRef(), depthBuffer->TexDsv); - } - return true; -} - -bool RenderDevice::SetParams(const RendererParams& newParams) -{ - String oldMonitor = Params.MonitorName; - - Params = newParams; - if (newParams.MonitorName != oldMonitor) - { - UpdateMonitorOutputs(); - } - - // Cause this to be recreated with the new multisample mode. - pSceneColorTex = NULL; - return RecreateSwapChain(); -} - - -bool RenderDevice::SetFullscreen(DisplayMode fullscreen) -{ - if (fullscreen == Params.Fullscreen) - return true; - - HRESULT hr = SwapChain->SetFullscreenState(fullscreen, fullscreen ? FullscreenOutput : NULL); - if (FAILED(hr)) - { - return false; - } - - Params.Fullscreen = fullscreen; - return true; -} - -void RenderDevice::SetRealViewport(const Viewport& vp) -{ - D3DViewport.Width = vp.w; - D3DViewport.Height = vp.h; - D3DViewport.MinDepth = 0; - D3DViewport.MaxDepth = 1; - D3DViewport.TopLeftX = vp.x; - D3DViewport.TopLeftY = vp.y; - Context->RSSetViewports(1, &D3DViewport); -} - -static int GetDepthStateIndex(bool enable, bool write, RenderDevice::CompareFunc func) -{ - if (!enable) - return 0; - return 1 + int(func) * 2 + write; -} - -void RenderDevice::SetDepthMode(bool enable, bool write, CompareFunc func) -{ - int index = GetDepthStateIndex(enable, write, func); - if (DepthStates[index]) - { - CurDepthState = DepthStates[index]; - Context->OMSetDepthStencilState(DepthStates[index], 0); - return; - } - - D3D1x_(DEPTH_STENCIL_DESC) dss; - memset(&dss, 0, sizeof(dss)); - dss.DepthEnable = enable; - switch(func) - { - case Compare_Always: dss.DepthFunc = D3D1x_(COMPARISON_ALWAYS); break; - case Compare_Less: dss.DepthFunc = D3D1x_(COMPARISON_LESS); break; - case Compare_Greater: dss.DepthFunc = D3D1x_(COMPARISON_GREATER); break; - default: - assert(0); - } - dss.DepthWriteMask = write ? D3D1x_(DEPTH_WRITE_MASK_ALL) : D3D1x_(DEPTH_WRITE_MASK_ZERO); - Device->CreateDepthStencilState(&dss, &DepthStates[index].GetRawRef()); - Context->OMSetDepthStencilState(DepthStates[index], 0); - CurDepthState = DepthStates[index]; -} - -Texture* RenderDevice::GetDepthBuffer(int w, int h, int ms) -{ - for(unsigned i = 0; i < DepthBuffers.GetSize(); i++) - { - if (w == DepthBuffers[i]->Width && h == DepthBuffers[i]->Height && - ms == DepthBuffers[i]->Samples) - return DepthBuffers[i]; - } - - Ptr<Texture> newDepth = *CreateTexture(Texture_Depth | Texture_RenderTarget | ms, w, h, NULL); - if (newDepth == NULL) - { - OVR_DEBUG_LOG(("Failed to get depth buffer.")); - return NULL; - } - - DepthBuffers.PushBack(newDepth); - return newDepth.GetPtr(); -} - -void RenderDevice::Clear(float r, float g, float b, float a, float depth) -{ - const float color[] = {r, g, b, a}; - - // Needed for each eye to do its own clear, since ClearRenderTargetView doesn't honor viewport. - - // Save state that is affected by clearing this way - ID3D1xDepthStencilState* oldDepthState = CurDepthState; - StandardUniformData clearUniforms; - - SetDepthMode(true, true, Compare_Always); - - Context->IASetInputLayout(ModelVertexIL); - Context->GSSetShader(NULL); - - ID3D1xShaderResourceView* sv[8] = {0, 0, 0, 0, 0, 0, 0, 0}; - if (MaxTextureSet[Shader_Fragment]) - { - Context->PSSetShaderResources(0, MaxTextureSet[Shader_Fragment], sv); - } - - ID3D1xBuffer* vertexBuffer = QuadVertexBuffer->GetBuffer(); - UINT vertexStride = sizeof(Vertex); - UINT vertexOffset = 0; - Context->IASetVertexBuffers(0, 1, &vertexBuffer, &vertexStride, &vertexOffset); - - clearUniforms.View = Matrix4f(2, 0, 0, 0, - 0, 2, 0, 0, - 0, 0, 0, 0, - -1, -1, depth, 1); - UniformBuffers[Shader_Vertex]->Data(Buffer_Uniform, &clearUniforms, sizeof(clearUniforms)); - - ID3D1xBuffer* vertexConstants = UniformBuffers[Shader_Vertex]->GetBuffer(); - Context->VSSetConstantBuffers(0, 1, &vertexConstants); - Context->IASetPrimitiveTopology(D3D1x_(PRIMITIVE_TOPOLOGY_TRIANGLESTRIP)); - VertexShaders[VShader_MV]->Set(Prim_TriangleStrip); - PixelShaders[FShader_Solid]->Set(Prim_TriangleStrip); - - UniformBuffers[Shader_Pixel]->Data(Buffer_Uniform, color, sizeof(color)); - PixelShaders[FShader_Solid]->SetUniformBuffer(UniformBuffers[Shader_Pixel]); - - // Clear Viewport - Context->OMSetBlendState(NULL, NULL, 0xffffffff); - Context->Draw(4, 0); - - // reset - CurDepthState = oldDepthState; - Context->OMSetDepthStencilState(CurDepthState, 0); -} - -// Buffers - -Buffer* RenderDevice::CreateBuffer() -{ - return new Buffer(this); -} - - -ID3D10Blob* RenderDevice::CompileShader(const char* profile, const char* src, const char* mainName) -{ - ID3D10Blob* shader; - ID3D10Blob* errors; - HRESULT hr = D3DCompile(src, strlen(src), NULL, NULL, NULL, mainName, profile, - 0, 0, &shader, &errors); - if (FAILED(hr)) - { - OVR_DEBUG_LOG(("Compiling D3D shader for %s failed\n%s\n\n%s", - profile, src, errors->GetBufferPointer())); - OutputDebugStringA((char*)errors->GetBufferPointer()); - return NULL; - } - if (errors) - { - errors->Release(); - } - return shader; -} - -void RenderDevice::SetCommonUniformBuffer(int i, RenderTiny::Buffer* buffer) -{ - CommonUniforms[i] = (Buffer*)buffer; - - Context->PSSetConstantBuffers(1, 1, &CommonUniforms[1]->D3DBuffer.GetRawRef()); - Context->VSSetConstantBuffers(1, 1, &CommonUniforms[1]->D3DBuffer.GetRawRef()); -} - -RenderTiny::Shader *RenderDevice::LoadBuiltinShader(ShaderStage stage, int shader) -{ - switch(stage) - { - case Shader_Vertex: - return VertexShaders[shader]; - case Shader_Pixel: - return PixelShaders[shader]; - default: - return NULL; - } -} - - -ID3D1xSamplerState* RenderDevice::GetSamplerState(int sm) -{ - if (SamplerStates[sm]) - return SamplerStates[sm]; - - D3D1x_(SAMPLER_DESC) ss; - memset(&ss, 0, sizeof(ss)); - if (sm & Sample_Clamp) - ss.AddressU = ss.AddressV = ss.AddressW = D3D1x_(TEXTURE_ADDRESS_CLAMP); - else if (sm & Sample_ClampBorder) - ss.AddressU = ss.AddressV = ss.AddressW = D3D1x_(TEXTURE_ADDRESS_BORDER); - else - ss.AddressU = ss.AddressV = ss.AddressW = D3D1x_(TEXTURE_ADDRESS_WRAP); - - if (sm & Sample_Nearest) - { - ss.Filter = D3D1x_(FILTER_MIN_MAG_MIP_POINT); - } - else if (sm & Sample_Anisotropic) - { - ss.Filter = D3D1x_(FILTER_ANISOTROPIC); - ss.MaxAnisotropy = 8; - } - else - { - ss.Filter = D3D1x_(FILTER_MIN_MAG_MIP_LINEAR); - } - ss.MaxLOD = 15; - Device->CreateSamplerState(&ss, &SamplerStates[sm].GetRawRef()); - return SamplerStates[sm]; -} - - -void RenderDevice::SetTexture(RenderTiny::ShaderStage stage, int slot, const Texture* t) -{ - if (MaxTextureSet[stage] <= slot) - MaxTextureSet[stage] = slot + 1; - - ID3D1xShaderResourceView* sv = t ? t->TexSv : NULL; - switch(stage) - { - case Shader_Fragment: - Context->PSSetShaderResources(slot, 1, &sv); - if (t) - { - Context->PSSetSamplers(slot, 1, &t->Sampler.GetRawRef()); - } - break; - - case Shader_Vertex: - Context->VSSetShaderResources(slot, 1, &sv); - break; - } -} - -Texture* RenderDevice::CreateTexture(int format, int width, int height, const void* data, int mipcount) -{ - OVR_UNUSED(mipcount); - - DXGI_FORMAT d3dformat; - int bpp; - switch(format & Texture_TypeMask) - { - case Texture_RGBA: - bpp = 4; - d3dformat = DXGI_FORMAT_R8G8B8A8_UNORM; - break; - case Texture_Depth: - bpp = 0; - d3dformat = DXGI_FORMAT_D32_FLOAT; - break; - default: - return NULL; - } - - int samples = (format & Texture_SamplesMask); - if (samples < 1) - { - samples = 1; - } - - Texture* NewTex = new Texture(this, format, width, height); - NewTex->Samples = samples; - - D3D1x_(TEXTURE2D_DESC) dsDesc; - dsDesc.Width = width; - dsDesc.Height = height; - dsDesc.MipLevels = (format == (Texture_RGBA | Texture_GenMipmaps) && data) ? GetNumMipLevels(width, height) : 1; - dsDesc.ArraySize = 1; - dsDesc.Format = d3dformat; - dsDesc.SampleDesc.Count = samples; - dsDesc.SampleDesc.Quality = 0; - dsDesc.Usage = D3D1x_(USAGE_DEFAULT); - dsDesc.BindFlags = D3D1x_(BIND_SHADER_RESOURCE); - dsDesc.CPUAccessFlags = 0; - dsDesc.MiscFlags = 0; - - if (format & Texture_RenderTarget) - { - if ((format & Texture_TypeMask) == Texture_Depth) - { // We don't use depth textures, and creating them in d3d10 requires different options. - dsDesc.BindFlags = D3D1x_(BIND_DEPTH_STENCIL); - } - else - { - dsDesc.BindFlags |= D3D1x_(BIND_RENDER_TARGET); - } - } - - HRESULT hr = Device->CreateTexture2D(&dsDesc, NULL, &NewTex->Tex.GetRawRef()); - if (FAILED(hr)) - { - OVR_DEBUG_LOG_TEXT(("Failed to create 2D D3D texture.")); - NewTex->Release(); - return NULL; - } - if (dsDesc.BindFlags & D3D1x_(BIND_SHADER_RESOURCE)) - { - Device->CreateShaderResourceView(NewTex->Tex, NULL, &NewTex->TexSv.GetRawRef()); - } - - if (data) - { - Context->UpdateSubresource(NewTex->Tex, 0, NULL, data, width * bpp, width * height * bpp); - if (format == (Texture_RGBA | Texture_GenMipmaps)) - { - int srcw = width, srch = height; - int level = 0; - UByte* mipmaps = NULL; - do - { - level++; - int mipw = srcw >> 1; - if (mipw < 1) - { - mipw = 1; - } - int miph = srch >> 1; - if (miph < 1) - { - miph = 1; - } - if (mipmaps == NULL) - { - mipmaps = (UByte*)OVR_ALLOC(mipw * miph * 4); - } - FilterRgba2x2(level == 1 ? (const UByte*)data : mipmaps, srcw, srch, mipmaps); - Context->UpdateSubresource(NewTex->Tex, level, NULL, mipmaps, mipw * bpp, miph * bpp); - srcw = mipw; - srch = miph; - } - while(srcw > 1 || srch > 1); - - if (mipmaps != NULL) - { - OVR_FREE(mipmaps); - } - } - } - - if (format & Texture_RenderTarget) - { - if ((format & Texture_TypeMask) == Texture_Depth) - { - Device->CreateDepthStencilView(NewTex->Tex, NULL, &NewTex->TexDsv.GetRawRef()); - } - else - { - Device->CreateRenderTargetView(NewTex->Tex, NULL, &NewTex->TexRtv.GetRawRef()); - } - } - - return NewTex; -} - - -// Rendering - -void RenderDevice::BeginRendering() -{ - Context->RSSetState(Rasterizer); -} - -void RenderDevice::SetRenderTarget(RenderTiny::Texture* colorTex, - RenderTiny::Texture* depth, RenderTiny::Texture* stencil) -{ - OVR_UNUSED(stencil); - - CurRenderTarget = (Texture*)colorTex; - if (colorTex == NULL) - { - Texture* newDepthBuffer = GetDepthBuffer(WindowWidth, WindowHeight, Params.Multisample); - if (newDepthBuffer == NULL) - { - OVR_DEBUG_LOG(("New depth buffer creation failed.")); - } - if (newDepthBuffer != NULL) - { - CurDepthBuffer = GetDepthBuffer(WindowWidth, WindowHeight, Params.Multisample); - Context->OMSetRenderTargets(1, &BackBufferRT.GetRawRef(), CurDepthBuffer->TexDsv); - } - return; - } - if (depth == NULL) - { - depth = GetDepthBuffer(colorTex->GetWidth(), colorTex->GetHeight(), CurRenderTarget->Samples); - } - - ID3D1xShaderResourceView* sv[8] = {0, 0, 0, 0, 0, 0, 0, 0}; - if (MaxTextureSet[Shader_Fragment]) - { - Context->PSSetShaderResources(0, MaxTextureSet[Shader_Fragment], sv); - } - memset(MaxTextureSet, 0, sizeof(MaxTextureSet)); - - CurDepthBuffer = (Texture*)depth; - Context->OMSetRenderTargets(1, &((Texture*)colorTex)->TexRtv.GetRawRef(), ((Texture*)depth)->TexDsv); -} - - -void RenderDevice::SetWorldUniforms(const Matrix4f& proj) -{ - StdUniforms.Proj = proj.Transposed(); - // Shader constant buffers cannot be partially updated. -} - - -void RenderDevice::Render(const Matrix4f& matrix, Model* model) -{ - // Store data in buffers if not already - if (!model->VertexBuffer) - { - Ptr<Buffer> vb = *CreateBuffer(); - vb->Data(Buffer_Vertex, &model->Vertices[0], model->Vertices.GetSize() * sizeof(Vertex)); - model->VertexBuffer = vb; - } - if (!model->IndexBuffer) - { - Ptr<Buffer> ib = *CreateBuffer(); - ib->Data(Buffer_Index, &model->Indices[0], model->Indices.GetSize() * 2); - model->IndexBuffer = ib; - } - - Render(model->Fill ? model->Fill : DefaultFill, - model->VertexBuffer, model->IndexBuffer, - matrix, 0, (unsigned)model->Indices.GetSize(), model->GetPrimType()); -} - -void RenderDevice::Render(const ShaderFill* fill, RenderTiny::Buffer* vertices, RenderTiny::Buffer* indices, - const Matrix4f& matrix, int offset, int count, PrimitiveType rprim) -{ - Context->IASetInputLayout(ModelVertexIL); - if (indices) - { - Context->IASetIndexBuffer(((Buffer*)indices)->GetBuffer(), DXGI_FORMAT_R16_UINT, 0); - } - - ID3D1xBuffer* vertexBuffer = ((Buffer*)vertices)->GetBuffer(); - UINT vertexStride = sizeof(Vertex); - UINT vertexOffset = offset; - Context->IASetVertexBuffers(0, 1, &vertexBuffer, &vertexStride, &vertexOffset); - - ShaderSet* shaders = ((ShaderFill*)fill)->GetShaders(); - - ShaderBase* vshader = ((ShaderBase*)shaders->GetShader(Shader_Vertex)); - unsigned char* vertexData = vshader->UniformData; - if (vertexData) - { - StandardUniformData* stdUniforms = (StandardUniformData*) vertexData; - stdUniforms->View = matrix.Transposed(); - stdUniforms->Proj = StdUniforms.Proj; - UniformBuffers[Shader_Vertex]->Data(Buffer_Uniform, vertexData, vshader->UniformsSize); - vshader->SetUniformBuffer(UniformBuffers[Shader_Vertex]); - } - - for(int i = Shader_Vertex + 1; i < Shader_Count; i++) - if (shaders->GetShader(i)) - { - ((ShaderBase*)shaders->GetShader(i))->UpdateBuffer(UniformBuffers[i]); - ((ShaderBase*)shaders->GetShader(i))->SetUniformBuffer(UniformBuffers[i]); - } - - D3D1x_(PRIMITIVE_TOPOLOGY) prim; - switch(rprim) - { - case Prim_Triangles: - prim = D3D1x_(PRIMITIVE_TOPOLOGY_TRIANGLELIST); - break; - case Prim_Lines: - prim = D3D1x_(PRIMITIVE_TOPOLOGY_LINELIST); - break; - case Prim_TriangleStrip: - prim = D3D1x_(PRIMITIVE_TOPOLOGY_TRIANGLESTRIP); - break; - default: - assert(0); - return; - } - Context->IASetPrimitiveTopology(prim); - - fill->Set(rprim); - - if (indices) - { - Context->DrawIndexed(count, 0, 0); - } - else - { - Context->Draw(count, 0); - } -} - - -void RenderDevice::Present() -{ - SwapChain->Present(0, 0); -} - -void RenderDevice::ForceFlushGPU() -{ - D3D1x_QUERY_DESC queryDesc = { D3D1x_(QUERY_EVENT), 0 }; - Ptr<ID3D1xQuery> query; - BOOL done = FALSE; - - if (Device->CreateQuery(&queryDesc, &query.GetRawRef()) == S_OK) - { - // Begin() not used for EVENT query. - query->End(); - // GetData will returns S_OK for both done == TRUE or FALSE. - // Exit on failure to avoid infinite loop. - do { } - while(!done && !FAILED(query->GetData(&done, sizeof(BOOL), 0))); - } -} - -}}} - diff --git a/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.h b/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.h deleted file mode 100644 index 1438611..0000000 --- a/Samples/OculusRoomTiny/RenderTiny_D3D1X_Device.h +++ /dev/null @@ -1,273 +0,0 @@ -/************************************************************************************ - -Filename : RenderTiny_D3D1X_Device.h -Content : RenderDevice implementation header for D3DX10. -Created : September 10, 2012 -Authors : Andrew Reisse - -Copyright : Copyright 2012 Oculus VR, Inc. All Rights reserved. - -Licensed under the Apache License, Version 2.0 (the "License"); -you may not use this file except in compliance with the License. -You may obtain a copy of the License at - -http://www.apache.org/licenses/LICENSE-2.0 - -Unless required by applicable law or agreed to in writing, software -distributed under the License is distributed on an "AS IS" BASIS, -WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -See the License for the specific language governing permissions and -limitations under the License. - -************************************************************************************/ - -#ifndef INC_RenderTiny_D3D1X_Device_h -#define INC_RenderTiny_D3D1X_Device_h - -#include "Kernel/OVR_String.h" -#include "Kernel/OVR_Array.h" - -#include "RenderTiny_Device.h" -#include <Windows.h> - -#define _OVR_RENDERER_D3D10 -#include <d3d10.h> - -namespace OVR { namespace RenderTiny { namespace D3D10 { - -class RenderDevice; -class Buffer; - -typedef ID3D10Device ID3D1xDevice; -typedef ID3D10Device ID3D1xDeviceContext; -typedef ID3D10RenderTargetView ID3D1xRenderTargetView; -typedef ID3D10Texture2D ID3D1xTexture2D; -typedef ID3D10ShaderResourceView ID3D1xShaderResourceView; -typedef ID3D10DepthStencilView ID3D1xDepthStencilView; -typedef ID3D10DepthStencilState ID3D1xDepthStencilState; -typedef ID3D10InputLayout ID3D1xInputLayout; -typedef ID3D10Buffer ID3D1xBuffer; -typedef ID3D10VertexShader ID3D1xVertexShader; -typedef ID3D10PixelShader ID3D1xPixelShader; -typedef ID3D10GeometryShader ID3D1xGeometryShader; -typedef ID3D10BlendState ID3D1xBlendState; -typedef ID3D10RasterizerState ID3D1xRasterizerState; -typedef ID3D10SamplerState ID3D1xSamplerState; -typedef ID3D10Query ID3D1xQuery; -typedef ID3D10Blob ID3D1xBlob; -typedef D3D10_VIEWPORT D3D1x_VIEWPORT; -typedef D3D10_QUERY_DESC D3D1x_QUERY_DESC; -#define D3D1x_(x) D3D10_##x -#define ID3D1x(x) ID3D10##x - - - -class ShaderBase : public RenderTiny::Shader -{ -public: - RenderDevice* Ren; - unsigned char* UniformData; - int UniformsSize; - - struct Uniform - { - String Name; - int Offset, Size; - }; - Array<Uniform> UniformInfo; - - ShaderBase(RenderDevice* r, ShaderStage stage); - ~ShaderBase(); - - void InitUniforms(ID3D10Blob* s); - bool SetUniform(const char* name, int n, const float* v); - - void UpdateBuffer(Buffer* b); -}; - -template<RenderTiny::ShaderStage SStage, class D3DShaderType> -class Shader : public ShaderBase -{ -public: - D3DShaderType* D3DShader; - - Shader(RenderDevice* r, D3DShaderType* s) : ShaderBase(r, SStage), D3DShader(s) {} - Shader(RenderDevice* r, ID3D1xBlob* s) : ShaderBase(r, SStage) - { - Load(s); - InitUniforms(s); - } - ~Shader() - { - if (D3DShader) - D3DShader->Release(); - } - bool Load(ID3D1xBlob* shader) - { - return Load(shader->GetBufferPointer(), shader->GetBufferSize()); - } - - // These functions have specializations. - bool Load(void* shader, size_t size); - void Set(PrimitiveType prim) const; - void SetUniformBuffer(RenderTiny::Buffer* buffers, int i = 0); -}; - -typedef Shader<RenderTiny::Shader_Vertex, ID3D1xVertexShader> VertexShader; -typedef Shader<RenderTiny::Shader_Fragment, ID3D1xPixelShader> PixelShader; - - -class Buffer : public RenderTiny::Buffer -{ -public: - RenderDevice* Ren; - Ptr<ID3D1xBuffer> D3DBuffer; - size_t Size; - int Use; - bool Dynamic; - -public: - Buffer(RenderDevice* r) : Ren(r), Size(0), Use(0) {} - ~Buffer(); - - ID3D1xBuffer* GetBuffer() - { - return D3DBuffer; - } - - virtual size_t GetSize() - { - return Size; - } - virtual void* Map(size_t start, size_t size, int flags = 0); - virtual bool Unmap(void *m); - virtual bool Data(int use, const void* buffer, size_t size); -}; - -class Texture : public RenderTiny::Texture -{ -public: - RenderDevice* Ren; - Ptr<ID3D1xTexture2D> Tex; - Ptr<ID3D1xShaderResourceView> TexSv; - Ptr<ID3D1xRenderTargetView> TexRtv; - Ptr<ID3D1xDepthStencilView> TexDsv; - mutable Ptr<ID3D1xSamplerState> Sampler; - int Width, Height; - int Samples; - - Texture(RenderDevice* r, int fmt, int w, int h); - ~Texture(); - - virtual int GetWidth() const - { - return Width; - } - virtual int GetHeight() const - { - return Height; - } - virtual int GetSamples() const - { - return Samples; - } - - virtual void SetSampleMode(int sm); - - virtual void Set(int slot, RenderTiny::ShaderStage stage = RenderTiny::Shader_Fragment) const; -}; - -class RenderDevice : public RenderTiny::RenderDevice -{ -public: - Ptr<IDXGIFactory> DXGIFactory; - HWND Window; - - Ptr<ID3D1xDevice> Device; - Ptr<ID3D1xDeviceContext> Context; - Ptr<IDXGISwapChain> SwapChain; - Ptr<IDXGIAdapter> Adapter; - Ptr<IDXGIOutput> FullscreenOutput; - int FSDesktopX, FSDesktopY; - - Ptr<ID3D1xTexture2D> BackBuffer; - Ptr<ID3D1xRenderTargetView> BackBufferRT; - Ptr<Texture> CurRenderTarget; - Ptr<Texture> CurDepthBuffer; - Ptr<ID3D1xRasterizerState> Rasterizer; - Ptr<ID3D1xBlendState> BlendState; - D3D1x_VIEWPORT D3DViewport; - - Ptr<ID3D1xDepthStencilState> DepthStates[1 + 2 * Compare_Count]; - Ptr<ID3D1xDepthStencilState> CurDepthState; - Ptr<ID3D1xInputLayout> ModelVertexIL; - - Ptr<ID3D1xSamplerState> SamplerStates[Sample_Count]; - - struct StandardUniformData - { - Matrix4f Proj; - Matrix4f View; - } StdUniforms; - Ptr<Buffer> UniformBuffers[Shader_Count]; - int MaxTextureSet[Shader_Count]; - - Ptr<VertexShader> VertexShaders[VShader_Count]; - Ptr<PixelShader> PixelShaders[FShader_Count]; - Ptr<Buffer> CommonUniforms[8]; - Ptr<ShaderFill> DefaultFill; - - Ptr<Buffer> QuadVertexBuffer; - - Array<Ptr<Texture> > DepthBuffers; - -public: - RenderDevice(const RendererParams& p, HWND window); - ~RenderDevice(); - - // Implement static initializer function to create this class. - static RenderTiny::RenderDevice* CreateDevice(const RendererParams& rp, void* oswnd); - - void UpdateMonitorOutputs(); - - virtual void SetRealViewport(const Viewport& vp); - virtual bool SetParams(const RendererParams& newParams); - - virtual void Present(); - virtual void ForceFlushGPU(); - - virtual bool SetFullscreen(DisplayMode fullscreen); - - virtual void Clear(float r = 0, float g = 0, float b = 0, float a = 1, float depth = 1); - - virtual Buffer* CreateBuffer(); - virtual Texture* CreateTexture(int format, int width, int height, const void* data, int mipcount=1); - - Texture* GetDepthBuffer(int w, int h, int ms); - - virtual void BeginRendering(); - virtual void SetRenderTarget(RenderTiny::Texture* color, - RenderTiny::Texture* depth = NULL, RenderTiny::Texture* stencil = NULL); - virtual void SetDepthMode(bool enable, bool write, CompareFunc func = Compare_Less); - virtual void SetWorldUniforms(const Matrix4f& proj); - virtual void SetCommonUniformBuffer(int i, RenderTiny::Buffer* buffer); - - virtual void Render(const Matrix4f& matrix, Model* model); - virtual void Render(const ShaderFill* fill, RenderTiny::Buffer* vertices, RenderTiny::Buffer* indices, - const Matrix4f& matrix, int offset, int count, PrimitiveType prim = Prim_Triangles); - - virtual ShaderFill *CreateSimpleFill() { return DefaultFill; } - - virtual RenderTiny::Shader *LoadBuiltinShader(ShaderStage stage, int shader); - - bool RecreateSwapChain(); - virtual ID3D10Blob* CompileShader(const char* profile, const char* src, const char* mainName = "main"); - - ID3D1xSamplerState* GetSamplerState(int sm); - - void SetTexture(RenderTiny::ShaderStage stage, int slot, const Texture* t); -}; - -}}} // Render::D3D10 - -#endif diff --git a/Samples/OculusRoomTiny/RenderTiny_Device.h b/Samples/OculusRoomTiny/RenderTiny_Device.h index 878450d..9b8af03 100644 --- a/Samples/OculusRoomTiny/RenderTiny_Device.h +++ b/Samples/OculusRoomTiny/RenderTiny_Device.h @@ -39,7 +39,6 @@ using namespace OVR::Util::Render; class RenderDevice; - //----------------------------------------------------------------------------------- // Rendering primitive type used to render Model. @@ -71,7 +70,7 @@ enum BuiltinShaders FShader_Solid = 0, FShader_Gouraud = 1, - FShader_Texture = 2, + FShader_Texture = 2, FShader_PostProcess = 3, FShader_PostProcessWithChromAb = 4, FShader_LitGouraud = 5, @@ -152,7 +151,7 @@ public: virtual void Set(PrimitiveType) const { } virtual void SetUniformBuffer(class Buffer* buffers, int i = 0) { OVR_UNUSED2(buffers, i); } - + protected: virtual bool SetUniform(const char* name, int n, const float* v) { OVR_UNUSED3(name, n, v); return false; } }; @@ -188,7 +187,7 @@ public: // Set a uniform (other than the standard matrices). It is undefined whether the // uniforms from one shader occupy the same space as those in other shaders - // (unless a buffer is used, then each buffer is independent). + // (unless a buffer is used, then each buffer is independent). virtual bool SetUniform(const char* name, int n, const float* v) { bool result = 0; @@ -239,11 +238,11 @@ class ShaderFill : public RefCountBase<ShaderFill> public: ShaderFill(ShaderSet* sh) : Shaders(sh) { } - ShaderFill(ShaderSet& sh) : Shaders(sh) { } + ShaderFill(ShaderSet& sh) : Shaders(sh) { } ShaderSet* GetShaders() { return Shaders; } - virtual void Set(PrimitiveType prim = Prim_Unknown) const; + virtual void Set(PrimitiveType prim = Prim_Unknown) const; virtual void SetTexture(int i, class Texture* tex) { if (i < 8) Textures[i] = tex; } }; @@ -252,7 +251,7 @@ public: // is recommended. Some renderers cannot have high-performance buffers which are readable, // so reading in Map should not be relied on. // -// Constraints on buffers, such as ReadOnly, are not enforced by the API but may result in +// Constraints on buffers, such as ReadOnly, are not enforced by the API but may result in // rendering-system dependent undesirable behavior, such as terrible performance or unreported failure. // // Use of a buffer inconsistent with usage is also not checked by the API, but it may result in bad @@ -293,7 +292,7 @@ public: // Node is a base class for geometry in a Scene, it contains base position // and orientation data. // Model and Container both derive from it. -// +// class Node : public RefCountBase<Node> { Vector3f Pos; @@ -327,10 +326,10 @@ public: void SetMatrix(const Matrix4f& m) { MatCurrent = true; - Mat = m; + Mat = m; } - const Matrix4f& GetMatrix() const + const Matrix4f& GetMatrix() const { if (!MatCurrent) { @@ -351,17 +350,17 @@ struct Vertex { Vector3f Pos; Color C; - float U, V; + float U, V; Vector3f Norm; - Vertex (const Vector3f& p, const Color& c = Color(64,0,0,255), + Vertex (const Vector3f& p, const Color& c = Color(64,0,0,255), float u = 0, float v = 0, Vector3f n = Vector3f(1,0,0)) : Pos(p), C(c), U(u), V(v), Norm(n) {} Vertex(float x, float y, float z, const Color& c = Color(64,0,0,255), float u = 0, float v = 0) : Pos(x,y,z), C(c), U(u), V(v) { } - + bool operator==(const Vertex& b) const { return Pos == b.Pos && C == b.C && U == b.U && V == b.V; @@ -375,14 +374,14 @@ struct LightingParams Vector4f Ambient; Vector4f LightPos[8]; Vector4f LightColor[8]; - float LightCount; + float LightCount; int Version; LightingParams() : LightCount(0), Version(0) {} void Update(const Matrix4f& view, const Vector4f* SceneLightPos) - { + { Version++; for (int i = 0; i < LightCount; i++) { @@ -403,7 +402,7 @@ struct LightingParams //----------------------------------------------------------------------------------- // Model is a triangular mesh with a fill that can be added to scene. -// +// class Model : public Node { public: @@ -411,7 +410,7 @@ public: Array<UInt16> Indices; PrimitiveType Type; Ptr<ShaderFill> Fill; - bool Visible; + bool Visible; // Some renderers will create these if they didn't exist before rendering. // Currently they are not updated, so vertex data should not be changed after rendering. @@ -430,7 +429,7 @@ public: // Node implementation. virtual NodeType GetType() const { return Node_Model; } virtual void Render(const Matrix4f& ltw, RenderDevice* ren); - + // Returns the index next added vertex will have. UInt16 GetNextVertexIndex() const @@ -468,17 +467,17 @@ public: Container() { } ~Container() { } - + virtual NodeType GetType() const { return Node_Container; } virtual void Render(const Matrix4f& ltw, RenderDevice* ren); - void Add(Node *n) { Nodes.PushBack(n); } - void Clear() { Nodes.Clear(); } + void Add(Node *n) { Nodes.PushBack(n); } + void Clear() { Nodes.Clear(); } }; -// Scene combines a collection of model +// Scene combines a collection of model class Scene { public: @@ -493,7 +492,7 @@ public: { Lighting.Ambient = color; } - + void AddLight(Vector3f pos, Vector4f color) { int n = (int)Lighting.LightCount; @@ -527,7 +526,7 @@ enum DisplayMode Display_Window = 0, Display_Fullscreen = 1 }; - + // Rendering parameters used by RenderDevice::CreateDevice. struct RendererParams @@ -541,7 +540,7 @@ struct RendererParams long DisplayId; RendererParams(int ms = 1) : Multisample(ms), Fullscreen(0) {} - + bool IsDisplaySet() const { return MonitorName.GetLength() || DisplayId; @@ -556,9 +555,9 @@ struct RendererParams // Rendering device abstraction. // Provides platform-independent part of implementation, with platform-specific // part being in a separate derived class/file, such as D3D10::RenderDevice. -// +// class RenderDevice : public RefCountBase<RenderDevice> -{ +{ protected: int WindowWidth, WindowHeight; RendererParams Params; @@ -575,7 +574,7 @@ protected: Ptr<ShaderSet> pPostProcessShader; Ptr<Buffer> pFullScreenVertexBuffer; float SceneRenderScale; - DistortionConfig Distortion; + DistortionConfig Distortion; // For lighting on platforms with uniform buffers Ptr<Buffer> LightingBuffer; @@ -595,16 +594,17 @@ public: // This static function is implemented in each derived class // to support a specific renderer type. - //static RenderDevice* CreateDevice(const RendererParams& rp, void* oswnd); + static RenderDevice* CreateDevice(const RendererParams& rp, void * oswnd); virtual void Init() {} virtual void Shutdown() {} virtual bool SetParams(const RendererParams&) { return 0; } + virtual void SetWindowSize(int w, int h) { WindowWidth = w; WindowHeight = h; } const RendererParams& GetParams() const { return Params; } - + // StereoParams apply Viewport, Projection and Distortion simultaneously, // doing full configuration for one eye. void ApplyStereoParams(const StereoEyeParams& params) @@ -627,12 +627,12 @@ public: if (eye == StereoEye_Right) Distortion.XCenterOffset = -Distortion.XCenterOffset; } - + // Set viewport ignoring any adjustments used for the stereo mode. - virtual void SetRealViewport(const Viewport& vp) = 0; + virtual void SetRealViewport(const Viewport& vp) = 0; + + virtual void Clear(float r = 0, float g = 0, float b = 0, float a = 1, float depth = 1) = 0; - virtual void Clear(float r = 0, float g = 0, float b = 0, float a = 1, float depth = 1) = 0; - virtual bool IsFullscreen() const { return Params.Fullscreen != Display_Window; } virtual void Present() = 0; // Waits for rendering to complete; important for reducing latency. @@ -642,7 +642,7 @@ public: virtual Buffer* CreateBuffer() { return NULL; } virtual Texture* CreateTexture(int format, int width, int height, const void* data, int mipcount=1) { OVR_UNUSED5(format,width,height,data, mipcount); return NULL; } - + virtual ShaderSet* CreateShaderSet() { return new ShaderSet; } virtual Shader* LoadBuiltinShader(ShaderStage stage, int shader) = 0; @@ -670,7 +670,7 @@ public: // The index 0 is reserved for non-buffer uniforms, and so cannot be used with this function. virtual void SetCommonUniformBuffer(int i, Buffer* buffer) { OVR_UNUSED2(i, buffer); } - + virtual Matrix4f GetProjection() const { return Proj; } // This is a View matrix only, it will be combined with the projection matrix from SetProjection @@ -682,10 +682,10 @@ public: virtual ShaderFill *CreateSimpleFill() = 0; ShaderFill * CreateTextureFill(Texture* tex); - + // Don't call these directly, use App/Platform instead - virtual bool SetFullscreen(DisplayMode fullscreen) { OVR_UNUSED(fullscreen); return false; } - + virtual bool SetFullscreen(DisplayMode fullscreen) { OVR_UNUSED(fullscreen); return false; } + enum PostProcessShader { @@ -707,7 +707,7 @@ public: protected: // Stereo & post-processing virtual bool initPostProcessSupport(PostProcessType pptype); - + private: PostProcessShader PostProcessShaderRequested; PostProcessShader PostProcessShaderActive; diff --git a/Samples/OculusRoomTiny/RenderTiny_GL_Device.cpp b/Samples/OculusRoomTiny/RenderTiny_GL_Device.cpp index 07460c3..a6a8902 100644 --- a/Samples/OculusRoomTiny/RenderTiny_GL_Device.cpp +++ b/Samples/OculusRoomTiny/RenderTiny_GL_Device.cpp @@ -229,10 +229,9 @@ static const char* FShaderSrcs[FShader_Count] = LitTextureFragShaderSrc }; - - -RenderDevice::RenderDevice(const RendererParams& p) +RenderDevice::RenderDevice(const RendererParams& p, GLFWwindow* oswnd) : window(oswnd) { + for (int i = 0; i < VShader_Count; i++) VertexShaders[i] = *new Shader(this, Shader_Vertex, VShaderSrcs[i]); @@ -484,7 +483,7 @@ void* Buffer::Map(size_t start, size_t size, int flags) int mode = GL_WRITE_ONLY; //if (flags & Map_Unsynchronized) // mode |= GL_MAP_UNSYNCHRONIZED; - + glBindBuffer(Use, GLBuffer); void* v = glMapBuffer(Use, mode); glBindBuffer(Use, 0); @@ -723,10 +722,10 @@ Texture* RenderDevice::CreateTexture(int format, int width, int height, const vo Texture* NewTex = new Texture(this, width, height); glBindTexture(GL_TEXTURE_2D, NewTex->TexId); glGetError(); - + glTexImage2D(GL_TEXTURE_2D, 0, glformat, width, height, 0, glformat, gltype, data); OVR_ASSERT(!glGetError()); - + glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_REPEAT); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_REPEAT); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR_MIPMAP_LINEAR); @@ -781,4 +780,57 @@ RBuffer::~RBuffer() glDeleteRenderbuffersEXT(1, &BufId); } -}}} +void RenderDevice::Present() { + glfwSwapBuffers(window); +} + +} // Namespace GL + +// Implement static initializer function to create this class. +RenderTiny::RenderDevice* RenderDevice::CreateDevice(const RendererParams& rp, void * oswnd) +{ + int attr[16]; + int nattr = 2; + GLFWwindow *window = (GLFWwindow *)oswnd; + glfwMakeContextCurrent(window); + glfwSwapInterval(1); + return new GL::RenderDevice(rp, window); +} + +} // Namespace RenderTiny +} // Namespace OVR + +// +// +//Render::RenderDevice* RenderDevice::CreateDevice(const RendererParams& rp, void* oswnd) +//{ +// +// if (!context) +// return NULL; +// +// if (!glXMakeCurrent(PC->Disp, PC->Win, context)) +// { +// glXDestroyContext(PC->Disp, context); +// return NULL; +// } +// +// XMapRaised(PC->Disp, PC->Win); +// +// return new Render::GL::Linux::RenderDevice(rp, PC->Disp, PC->Win, context); +//} +// +//void RenderDevice::Present() +//{ +// glXSwapBuffers(Disp, Win); +//} +// +//void RenderDevice::Shutdown() +//{ +// if (Context) +// { +// glXMakeCurrent(Disp, 0, NULL); +// glXDestroyContext(Disp, Context); +// Context = NULL; +// Win = 0; +// } +//} diff --git a/Samples/OculusRoomTiny/RenderTiny_GL_Device.h b/Samples/OculusRoomTiny/RenderTiny_GL_Device.h index 5d88180..6c7a390 100644 --- a/Samples/OculusRoomTiny/RenderTiny_GL_Device.h +++ b/Samples/OculusRoomTiny/RenderTiny_GL_Device.h @@ -26,18 +26,8 @@ limitations under the License. #include "RenderTiny_Device.h" -#if defined(OVR_OS_WIN32) -#include <Windows.h> -#endif - -#if defined(OVR_OS_MAC) -#include <OpenGL/gl.h> -#include <OpenGL/glext.h> -#else -#define GL_GLEXT_PROTOTYPES -#include <GL/gl.h> -#include <GL/glext.h> -#endif +#include "GL/glew.h" +#include "GLFW/glfw3.h" namespace OVR { namespace RenderTiny { namespace GL { @@ -154,7 +144,7 @@ public: // Set a uniform (other than the standard matrices). It is undefined whether the // uniforms from one shader occupy the same space as those in other shaders - // (unless a buffer is used, then each buffer is independent). + // (unless a buffer is used, then each buffer is independent). virtual bool SetUniform(const char* name, int n, const float* v); virtual bool SetUniform4x4f(const char* name, const Matrix4f& m); @@ -185,10 +175,15 @@ class RenderDevice : public RenderTiny::RenderDevice GLuint CurrentFbo; const LightingParams* Lighting; - + GLFWwindow* window; + public: - RenderDevice(const RendererParams& p); + RenderDevice(const RendererParams& p, GLFWwindow * oswnd); + virtual void Present(); + + // Implement static initializer function to create this class. + static RenderTiny::RenderDevice* CreateDevice(const RendererParams& rp, void* oswnd); virtual void SetRealViewport(const Viewport& vp); diff --git a/Samples/OculusRoomTiny/Win32_OculusRoomTiny.h b/Samples/OculusRoomTiny/Win32_OculusRoomTiny.h deleted file mode 100644 index a86dd47..0000000 --- a/Samples/OculusRoomTiny/Win32_OculusRoomTiny.h +++ /dev/null @@ -1,189 +0,0 @@ -/************************************************************************************ - -Filename : OculusRoomTiny.h -Content : Simplest possible first-person view test application for Oculus Rift -Created : March 10, 2012 -Authors : Michael Antonov, Andrew Reisse - -Copyright : Copyright 2012 Oculus, Inc. All Rights reserved. - -Licensed under the Apache License, Version 2.0 (the "License"); -you may not use this file except in compliance with the License. -You may obtain a copy of the License at - -http://www.apache.org/licenses/LICENSE-2.0 - -Unless required by applicable law or agreed to in writing, software -distributed under the License is distributed on an "AS IS" BASIS, -WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -See the License for the specific language governing permissions and -limitations under the License. - -*************************************************************************************/ -#ifndef INC_OculusRoomTiny_h -#define INC_OculusRoomTiny_h - -#include <Windows.h> -#include <xinput.h> - -#include "OVR.h" -#include "Util/Util_Render_Stereo.h" -#include "../../LibOVR/Src/Kernel/OVR_Timer.h" -#include "RenderTiny_D3D1X_Device.h" - -using namespace OVR; -using namespace OVR::RenderTiny; - - -//------------------------------------------------------------------------------------- -// ***** OculusRoomTiny Description - -// This app renders a simple flat-shaded room allowing the user to move along the -// floor and look around with an HMD, mouse, keyboard and gamepad. -// By default, the application will start full-screen on Oculus Rift. -// -// The following keys work: -// -// 'W', 'S', 'A', 'D' - Move forward, back; strafe left/right. -// F1 - No stereo, no distortion. -// F2 - Stereo, no distortion. -// F3 - Stereo and distortion. -// - -// The world RHS coordinate system is defines as follows (as seen in perspective view): -// Y - Up -// Z - Back -// X - Right -const Vector3f UpVector(0.0f, 1.0f, 0.0f); -const Vector3f ForwardVector(0.0f, 0.0f, -1.0f); -const Vector3f RightVector(1.0f, 0.0f, 0.0f); - -// We start out looking in the positive Z (180 degree rotation). -const float YawInitial = 3.141592f; -const float Sensitivity = 1.0f; -const float MoveSpeed = 3.0f; // m/s - - -//------------------------------------------------------------------------------------- -// ***** OculusRoomTiny Application class - -// An instance of this class is created on application startup (main/WinMain). -// -// It then works as follows: -// -// OnStartup - Window, graphics and HMD setup is done here. -// This function will initialize OVR::DeviceManager and HMD, -// creating SensorDevice and attaching it to SensorFusion. -// This needs to be done before obtaining sensor data. -// -// OnIdle - Does per-frame processing, processing SensorFusion and -// movement input and rendering the frame. - -class OculusRoomTinyApp : public MessageHandler -{ -public: - OculusRoomTinyApp(HINSTANCE hinst); - ~OculusRoomTinyApp(); - - // Initializes graphics, Rift input and creates world model. - virtual int OnStartup(const char* args); - // Called per frame to sample SensorFucion and render the world. - virtual void OnIdle(); - - // Installed for Oculus device messages. Optional. - virtual void OnMessage(const Message& msg); - - // Handle input events for movement. - virtual void OnGamepad(float padLx, float padLY, float padRx, float padRy); - virtual void OnMouseMove(int x, int y, int modifiers); - virtual void OnKey(unsigned vk, bool down); - - // Render the view for one eye. - void Render(const StereoEyeParams& stereo); - - // Main application loop. - int Run(); - - // Return amount of time passed since application started in seconds. - double GetAppTime() const - { - return (OVR::Timer::GetTicks() - StartupTicks) * (1.0 / (double)OVR::Timer::MksPerSecond); - } - - -protected: - - // Win32 window setup interface. - LRESULT windowProc(UINT msg, WPARAM wp, LPARAM lp); - bool setupWindow(); - void destroyWindow(); - // Win32 static function that delegates to WindowProc member function. - static LRESULT CALLBACK systemWindowProc(HWND window, UINT msg, WPARAM wp, LPARAM lp); - - void giveUsFocus(bool setFocus); - - static OculusRoomTinyApp* pApp; - - // *** Rendering Variables - Ptr<RenderDevice> pRender; - RendererParams RenderParams; - int Width, Height; - - - // *** Win32 System Variables - HWND hWnd; - HINSTANCE hInstance; - POINT WindowCenter; // In desktop coordinates - bool Quit; - bool MouseCaptured; - - // Dynamically ink to XInput to simplify projects. - typedef DWORD (WINAPI *PFn_XInputGetState)(DWORD dwUserIndex, XINPUT_STATE* pState); - PFn_XInputGetState pXInputGetState; - HMODULE hXInputModule; - UInt32 LastPadPacketNo; - - - // *** Oculus HMD Variables - - Ptr<DeviceManager> pManager; - Ptr<SensorDevice> pSensor; - Ptr<HMDDevice> pHMD; - SensorFusion SFusion; - OVR::HMDInfo HMDInfo; - - // Last update seconds, used for move speed timing. - double LastUpdate; - UInt64 StartupTicks; - - // Position and look. The following apply: - Vector3f EyePos; - float EyeYaw; // Rotation around Y, CCW positive when looking at RHS (X,Z) plane. - float EyePitch; // Pitch. If sensor is plugged in, only read from sensor. - float EyeRoll; // Roll, only accessible from Sensor. - float LastSensorYaw; // Stores previous Yaw value from to support computing delta. - - // Movement state; different bits may be set based on the state of keys. - UByte MoveForward; - UByte MoveBack; - UByte MoveLeft; - UByte MoveRight; - Vector3f GamepadMove, GamepadRotate; - - Matrix4f View; - RenderTiny::Scene Scene; - - // Stereo view parameters. - StereoConfig SConfig; - PostProcessType PostProcess; - - // Shift accelerates movement/adjustment velocity. - bool ShiftDown; - bool ControlDown; -}; - -// Adds sample models and lights to the argument scene. -void PopulateRoomScene(Scene* scene, RenderDevice* render); - - -#endif diff --git a/Samples/OculusWorldDemo/Assets/DO NOT DELETE.txt b/Samples/OculusWorldDemo/Assets/DO NOT DELETE.txt new file mode 100644 index 0000000..8b13789 --- /dev/null +++ b/Samples/OculusWorldDemo/Assets/DO NOT DELETE.txt @@ -0,0 +1 @@ + diff --git a/Samples/OculusWorldDemo/CMakeLists.txt b/Samples/OculusWorldDemo/CMakeLists.txt new file mode 100644 index 0000000..9d8c6b1 --- /dev/null +++ b/Samples/OculusWorldDemo/CMakeLists.txt @@ -0,0 +1,42 @@ +project(OculusWorldDemo) + +set(EXTRA_LIBS + OculusVR + CommonSrc + TinyXML2 +) + +set(SOURCE_FILES + OculusWorldDemo.cpp + Player.cpp +) + +file(GLOB_RECURSE ASSET_FILES Assets/Tuscany/*) + +if (WIN32) + + add_executable(OculusWorldDemo WIN32 ${SOURCE_FILES}) + + add_custom_command(TARGET OculusWorldDemo POST_BUILD + COMMAND ${CMAKE_COMMAND} -E copy_directory + ${CMAKE_CURRENT_SOURCE_DIR}/Assets ${CMAKE_CURRENT_BINARY_DIR}/Assets) + +elseif (APPLE) + + list(APPEND SOURCE_FILES ${ASSET_FILES}) + + set_source_files_properties(${ASSET_FILES} PROPERTIES MACOSX_PACKAGE_LOCATION Resources/Assets/Tuscany) + + add_executable(OculusWorldDemo MACOSX_BUNDLE ${SOURCE_FILES}) + +else() + + add_executable(OculusWorldDemo ${SOURCE_FILES}) + + add_custom_command(TARGET OculusWorldDemo POST_BUILD + COMMAND ${CMAKE_COMMAND} -E copy_directory + ${CMAKE_CURRENT_SOURCE_DIR}/Assets ${CMAKE_CURRENT_BINARY_DIR}/Assets) + +endif() + +target_link_libraries(OculusWorldDemo ${EXTRA_LIBS}) diff --git a/Samples/OculusWorldDemo/Makefile b/Samples/OculusWorldDemo/Makefile deleted file mode 100644 index 9791233..0000000 --- a/Samples/OculusWorldDemo/Makefile +++ /dev/null @@ -1,146 +0,0 @@ -############################################################################# -# -# Filename : Makefile -# Content : Makefile for building linux OculusWorldDemo -# Created : 2013 -# Authors : Simon Hallam and Peter Giokaris -# Copyright : Copyright 2013 OculusVR, Inc. All Rights Reserved -# Instruction : The g++ compiler and stdndard lib packages need to be -# installed on the system. Navigate in a shell to the -# directory where this Makefile is located and enter: -# -# make builds the release version for the -# current architechture -# make clean delete intermediate release object files -# and the executabe file -# make DEBUG=1 builds the debug version for the current -# architechture -# make clean DEBUG=1 deletes intermediate debug object files -# and the executable file -# -# Output : Relative to the directory this Makefile lives in, executable -# files get built at the following locations depending upon the -# architechture of the system you are running: -# -# ./Release/OculusWorldDemo_i386_Release -# ./Release/OculusWorldDemo_x86_64_Release -# ./Release/OculusWorldDemo_i386_Debug -# ./Release/OculusWorldDemo_x86_64_Debug -# -############################################################################# - -##### Build flags - -DEBUG = 0 - -####### Compiler, tools and options - -CXX = g++ -LINK = g++ -MAKE = make -DELETEFILE = rm -f -DEFINES = -DQT_WEBKIT -DGL_GLEXT_PROTOTYPES -MD = mkdir - -####### Detect system architecture - -SYSARCH = i386 -ifeq ($(shell uname -m),x86_64) -SYSARCH = x86_64 -endif - -####### Paths - -CUSTOM_PATH = $(RELEASETYPE)/$(SYSARCH) - - -####### Detect debug or release - -ifeq ($(DEBUG), 1) - CXXFLAGS = -pipe -DDEBUG -g $(DEFINES) - LFLAGS = - RELEASETYPE = Debug -else - CXXFLAGS = -pipe -O2 $(DEFINES) - LFLAGS = -O1 - RELEASETYPE = Release -endif - -####### Paths - -LIBOVRPATH = ../../LibOVR -SRCPATH = . -COMMONSRCPATH = ../CommonSrc -3RDPARTYPATH = ../../3rdParty -INCPATH = -I. -I.. -I$(COMMONSRCPATH) -I$(LIBOVRPATH)/Include -I$(LIBOVRPATH)/Src -OBJPATH = ./Obj/Linux/$(RELEASETYPE)/$(SYSARCH) -CXX_BUILD = $(CXX) -c $(CXXFLAGS) $(INCPATH) -o $(OBJPATH)/ - -####### Files - -LIBS = -L$(LIBOVRPATH)/Lib/Linux/$(RELEASETYPE)/$(SYSARCH) \ - -lovr \ - -ludev \ - -lpthread \ - -lGL \ - -lX11 \ - -lXinerama - -OBJECTS = $(OBJPATH)/OculusWorldDemo.o \ - $(OBJPATH)/Player.o \ - $(OBJPATH)/Platform.o \ - $(OBJPATH)/Linux_Platform.o \ - $(OBJPATH)/Linux_Gamepad.o \ - $(OBJPATH)/Render_Device.o \ - $(OBJPATH)/Render_GL_Device.o \ - $(OBJPATH)/Render_LoadTextureDDS.o \ - $(OBJPATH)/Render_LoadTextureTGA.o \ - $(OBJPATH)/Render_XmlSceneLoader.o - -TARGET = ./Release/OculusWorldDemo_$(SYSARCH)_$(RELEASETYPE) - -####### Rules - -ALL_SRCS := $(shell find ${COMMONSRCPATH} -name "*.cpp") -ALL_SRCS += $(shell find . -name "*.cpp") - -CPP_SRCS = $(filter-out \ - $(COMMONSRCPATH)/Render/Render_D3D%.cpp \ - $(COMMONSRCPATH)/Render/Render_GL_GLUT%.cpp \ - $(COMMONSRCPATH)/Render/Render_GL_Win32%.cpp \ - $(COMMONSRCPATH)/Render/Render_SDL%.cpp \ - $(COMMONSRCPATH)/Platform/OSX_%.cpp \ - $(COMMONSRCPATH)/Platform/Win32_%.cpp \ - $(COMMONSRCPATH)/Platform/SDL_%.cpp \ - $(COMMONSRCPATH)/Platform/GLUT_%.cpp \ - , $(ALL_SRCS)) - -OBJECTS_1 = $(patsubst ${SRCPATH}/%.cpp, ${OBJPATH}/%.o, ${CPP_SRCS}) -OBJECTS = $(patsubst ${COMMONSRCPATH}/%.cpp, ${OBJPATH}/%.o, ${OBJECTS_1}) - -DIRS = $(subst /,/,$(sort $(dir $(OBJECTS)))) ./Release - -####### Files - -TARGET = ./Release/OculusWorldDemo_$(SYSARCH)_$(RELEASETYPE) - -####### Rules - -all: $(TARGET) - -$(TARGET): $(OBJECTS) - mkdir -p $(DIRS) - $(LINK) $(LFLAGS) -o $(TARGET) $(OBJECTS) $(LIBS) - -$(OBJPATH)/%.o: $(COMMONSRCPATH)/%.cpp - mkdir -p $(DIRS) - $(CXX_BUILD) -o "$@" "$<" - -$(OBJPATH)/%.o: $(SRCPATH)/%.cpp - mkdir -p $(DIRS) - $(CXX_BUILD) -o "$@" "$<" - -clean: - -$(DELETEFILE) $(OBJECTS) - -$(DELETEFILE) $(TARGET) - diff --git a/Samples/OculusWorldDemo/Obj/Linux/Debug/i386/readme b/Samples/OculusWorldDemo/Obj/Linux/Debug/i386/readme deleted file mode 100644 index c9d0bc0..0000000 --- a/Samples/OculusWorldDemo/Obj/Linux/Debug/i386/readme +++ /dev/null @@ -1,2 +0,0 @@ -This document exits to ensure that the required directory structure gets created correctly. - diff --git a/Samples/OculusWorldDemo/Obj/Linux/Debug/x86_64/readme b/Samples/OculusWorldDemo/Obj/Linux/Debug/x86_64/readme deleted file mode 100644 index c9d0bc0..0000000 --- a/Samples/OculusWorldDemo/Obj/Linux/Debug/x86_64/readme +++ /dev/null @@ -1,2 +0,0 @@ -This document exits to ensure that the required directory structure gets created correctly. - diff --git a/Samples/OculusWorldDemo/Obj/Linux/Release/i386/readme b/Samples/OculusWorldDemo/Obj/Linux/Release/i386/readme deleted file mode 100644 index c9d0bc0..0000000 --- a/Samples/OculusWorldDemo/Obj/Linux/Release/i386/readme +++ /dev/null @@ -1,2 +0,0 @@ -This document exits to ensure that the required directory structure gets created correctly. - diff --git a/Samples/OculusWorldDemo/Obj/Linux/Release/x86_64/readme b/Samples/OculusWorldDemo/Obj/Linux/Release/x86_64/readme deleted file mode 100644 index c9d0bc0..0000000 --- a/Samples/OculusWorldDemo/Obj/Linux/Release/x86_64/readme +++ /dev/null @@ -1,2 +0,0 @@ -This document exits to ensure that the required directory structure gets created correctly. - diff --git a/Samples/OculusWorldDemo/OculusWorldDemo.cpp b/Samples/OculusWorldDemo/OculusWorldDemo.cpp index 1a81c8d..18a9c65 100644 --- a/Samples/OculusWorldDemo/OculusWorldDemo.cpp +++ b/Samples/OculusWorldDemo/OculusWorldDemo.cpp @@ -90,7 +90,7 @@ public: OculusWorldDemoApp(); ~OculusWorldDemoApp(); - virtual int OnStartup(int argc, const char** argv); + virtual int OnStartup(int argc, char** argv); virtual void OnIdle(); virtual void OnMouseMove(int x, int y, int modifiers); @@ -239,10 +239,10 @@ protected: MessageType Action; DeviceStatusNotificationDesc():Action(Message_None) {} - DeviceStatusNotificationDesc(MessageType mt, const DeviceHandle& dev) + DeviceStatusNotificationDesc(MessageType mt, const DeviceHandle& dev) : Handle(dev), Action(mt) {} }; - Array<DeviceStatusNotificationDesc> DeviceStatusNotificationsQueue; + Array<DeviceStatusNotificationDesc> DeviceStatusNotificationsQueue; Model* CreateModel(Vector3f pos, struct SlabModel* sm); @@ -297,12 +297,12 @@ OculusWorldDemoApp::~OculusWorldDemoApp() pLatencyTester.Clear(); pSensor.Clear(); pHMD.Clear(); - + CollisionModels.ClearAndRelease(); GroundCollisionModels.ClearAndRelease(); } -int OculusWorldDemoApp::OnStartup(int argc, const char** argv) +int OculusWorldDemoApp::OnStartup(int argc, char** argv) { // *** Oculus HMD & Sensor Initialization @@ -315,7 +315,7 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) // We'll handle it's messages in this case. pManager->SetMessageHandler(this); - + pHMD = *pManager->EnumerateDevices<HMDDevice>().CreateDevice(); if (pHMD) @@ -332,7 +332,7 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) SConfig.SetHMDInfo(TheHMDInfo); } - // Retrieve relevant profile settings. + // Retrieve relevant profile settings. pUserProfile = pHMD->GetProfile(); if (pUserProfile) { @@ -347,7 +347,7 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) // a shipping app. pSensor = *pManager->EnumerateDevices<SensorDevice>().CreateDevice(); } - + // Create the Latency Tester device and assign it to the LatencyTesterUtil object. pLatencyTester = *pManager->EnumerateDevices<LatencyTestDevice>().CreateDevice(); if (pLatencyTester) @@ -399,7 +399,7 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) // Report relative mouse motion in OnMouseMove pPlatform->SetMouseMode(Mouse_Relative); - + if(pSensor) { // We need to attach sensor to SensorFusion object for it to receive @@ -449,9 +449,9 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) if (TheHMDInfo.HScreenSize > 0.0f) { if (TheHMDInfo.HScreenSize > 0.140f) // 7" - SConfig.SetDistortionFitPointVP(-1.0f, 0.0f); - else - SConfig.SetDistortionFitPointVP(0.0f, 1.0f); + SConfig.SetDistortionFitPointVP(-1.0f, 0.0f); + else + SConfig.SetDistortionFitPointVP(0.0f, 1.0f); } pRender->SetSceneRenderScale(SConfig.GetDistortionScale()); @@ -461,17 +461,17 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) // *** Identify Scene File & Prepare for Loading - + // This creates lights and models. if (argc == 2) - { + { MainFilePath = argv[1]; PopulateLODFileNames(); } else { fprintf(stderr, "Usage: OculusWorldDemo [input XML]\n"); - MainFilePath = WORLDDEMO_ASSET_FILE; + MainFilePath = WORLDDEMO_ASSET_FILE; } // Try to modify path for correctness in case specified file is not found. @@ -492,7 +492,7 @@ int OculusWorldDemoApp::OnStartup(int argc, const char** argv) LastUpdate = pPlatform->GetAppTime(); //pPlatform->PlayMusicFile(L"Loop.wav"); - + return 0; } @@ -516,11 +516,11 @@ void OculusWorldDemoApp::OnMessage(const Message& msg) case OVR::Message_DeviceAdded: LogText("DeviceManager reported device added.\n"); break; - + case OVR::Message_DeviceRemoved: LogText("DeviceManager reported device removed.\n"); break; - + default: OVR_ASSERT(0); // unexpected type } } @@ -718,7 +718,7 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie RenderParams.Display = DisplayId(SConfig.GetHMDInfo().DisplayDeviceName,SConfig.GetHMDInfo().DisplayId); pRender->SetParams(RenderParams); - pPlatform->SetMouseMode(Mouse_Normal); + pPlatform->SetMouseMode(Mouse_Normal); pPlatform->SetFullscreen(RenderParams, pRender->IsFullscreen() ? Display_Window : Display_FakeFullscreen); pPlatform->SetMouseMode(Mouse_Relative); // Avoid mode world rotation jump. // If using an HMD, enable post-process (for distortion) and stereo. @@ -868,8 +868,8 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie } } - break; - + break; + case Key_G: if (down) { @@ -953,7 +953,7 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie { SFusion.SetGravityEnabled(true); } - SetAdjustMessage("Tilt Correction %s\nYaw Correction %s", + SetAdjustMessage("Tilt Correction %s\nYaw Correction %s", SFusion.IsGravityEnabled() ? "On" : "Off", SFusion.IsYawCorrectionEnabled() ? "On" : "Off"); } @@ -965,12 +965,12 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie { if (SceneMode != Scene_YawView) { - SceneMode = Scene_YawView; + SceneMode = Scene_YawView; SetAdjustMessage("Magnetometer Yaw Angle Marks"); } else { - SceneMode = Scene_World; + SceneMode = Scene_World; SetAdjustMessage("Magnetometer Marks Off"); } } @@ -984,12 +984,12 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie if (shader == RenderDevice::PostProcessShader_Distortion) { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_DistortionAndChromAb); + pRender->SetPostProcessShader(RenderDevice::PostProcessShader_DistortionAndChromAb); SetAdjustMessage("Chromatic Aberration Correction On"); } else if (shader == RenderDevice::PostProcessShader_DistortionAndChromAb) { - pRender->SetPostProcessShader(RenderDevice::PostProcessShader_Distortion); + pRender->SetPostProcessShader(RenderDevice::PostProcessShader_Distortion); SetAdjustMessage("Chromatic Aberration Correction Off"); } else @@ -1010,7 +1010,7 @@ void OculusWorldDemoApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifie { SFusion.SetPredictionEnabled(true); SetAdjustMessage("Motion Prediction On"); - } + } } break; default: @@ -1039,7 +1039,7 @@ void OculusWorldDemoApp::OnIdle() LoadingState = LoadingState_Finished; return; } - + // Check if any new devices were connected. { bool queueIsEmpty = false; @@ -1052,15 +1052,15 @@ void OculusWorldDemoApp::OnIdle() if (DeviceStatusNotificationsQueue.GetSize() == 0) break; desc = DeviceStatusNotificationsQueue.Front(); - + // We can't call Clear under the lock since this may introduce a dead lock: - // this thread is locked by HandlerLock and the Clear might cause + // this thread is locked by HandlerLock and the Clear might cause // call of Device->Release, which will use Manager->DeviceLock. The bkg - // thread is most likely locked by opposite way: + // thread is most likely locked by opposite way: // Manager->DeviceLock ==> HandlerLock, therefore - a dead lock. // So, just grab the first element, save a copy of it and remove // the element (Device->Release won't be called since we made a copy). - + DeviceStatusNotificationsQueue.RemoveAt(0); queueIsEmpty = (DeviceStatusNotificationsQueue.GetSize() == 0); } @@ -1183,7 +1183,7 @@ void OculusWorldDemoApp::OnIdle() } } } - else + else OVR_ASSERT(0); // unexpected action } } @@ -1198,7 +1198,7 @@ void OculusWorldDemoApp::OnIdle() const char* results = LatencyUtil.GetResultsString(); if (results != NULL) { - LogText("LATENCY TESTER: %s\n", results); + LogText("LATENCY TESTER: %s\n", results); } // >>> THIS MUST BE PLACED AS CLOSE AS POSSIBLE TO WHERE THE HMD ORIENTATION IS READ <<< @@ -1314,13 +1314,13 @@ void OculusWorldDemoApp::OnIdle() } -static const char* HelpText = +static const char* HelpText = "F1 \t100 NoStereo\n" "F2 \t100 Stereo \t420 Z \t520 Drift Correction\n" - "F3 \t100 StereoHMD \t420 F6 \t520 Yaw Drift Info\n" + "F3 \t100 StereoHMD \t420 F6 \t520 Yaw Drift Info\n" "F4 \t100 MSAA \t420 R \t520 Reset SensorFusion\n" "F9 \t100 FullScreen \t420\n" - "F11 \t100 Fast FullScreen \t500 - + \t660 Adj EyeHeight\n" + "F11 \t100 Fast FullScreen \t500 - + \t660 Adj EyeHeight\n" "C \t100 Chromatic Ab \t500 [ ] \t660 Adj FOV\n" "P \t100 Motion Pred \t500 Shift \t660 Adj Faster\n" "N/M \t180 Adj Motion Pred\n" @@ -1363,7 +1363,7 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) pRender->BeginScene(PostProcess); // *** 3D - Configures Viewport/Projection and Render - pRender->ApplyStereoParams(stereo); + pRender->ApplyStereoParams(stereo); pRender->Clear(); pRender->SetDepthMode(true, true); @@ -1374,7 +1374,7 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) if (SceneMode == Scene_YawView) { - Matrix4f trackerOnlyOrient = Matrix4f::RotationY(ThePlayer.LastSensorYaw) + Matrix4f trackerOnlyOrient = Matrix4f::RotationY(ThePlayer.LastSensorYaw) * Matrix4f::RotationX(ThePlayer.EyePitch) * Matrix4f::RotationZ(ThePlayer.EyeRoll); YawLinesScene.Render(pRender, stereo.ViewAdjust * trackerOnlyOrient.Inverted()); @@ -1385,11 +1385,11 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) // Render UI in 2D orthographic coordinate system that maps [-1,1] range // to a readable FOV area centered at your eye and properly adjusted. - pRender->ApplyStereoParams2D(stereo); + pRender->ApplyStereoParams2D(stereo); pRender->SetDepthMode(false, false); float unitPixel = SConfig.Get2DUnitPixel(); - float textHeight= unitPixel * 22; + float textHeight= unitPixel * 22; if ((SceneMode == Scene_Grid)||(SceneMode == Scene_Both)) { // Draw grid two pixels thick. @@ -1428,7 +1428,7 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) OVR_sprintf(gpustat, sizeof(gpustat), "\n GPU Tex: %u MB", texMemInMB); OVR_strcat(buf, sizeof(buf), gpustat); } - + DrawTextBox(pRender, 0.0f, -0.15f, textHeight, buf, DrawText_HCenter); } break; @@ -1436,7 +1436,7 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) case Text_Config: { char textBuff[2048]; - + OVR_sprintf(textBuff, sizeof(textBuff), "Fov\t300 %9.4f\n" "EyeDistance\t300 %9.4f\n" @@ -1459,7 +1459,7 @@ void OculusWorldDemoApp::Render(const StereoEyeParams& stereo) case Text_Help: DrawTextBox(pRender, 0.0f, -0.1f, textHeight, HelpText, DrawText_Center); - + default: break; } @@ -1543,7 +1543,7 @@ void OculusWorldDemoApp::AdjustMotionPrediction(float dt) { motionPred = 0.0f; } - + SFusion.SetPrediction(motionPred); SetAdjustMessage("MotionPrediction: %6.3fs", motionPred); @@ -1564,19 +1564,19 @@ void OculusWorldDemoApp::AdjustEsd(float val) // Loads the scene data void OculusWorldDemoApp::PopulateScene(const char *fileName) -{ - XmlHandler xmlHandler; +{ + XmlHandler xmlHandler; if(!xmlHandler.ReadFile(fileName, pRender, &MainScene, &CollisionModels, &GroundCollisionModels)) { SetAdjustMessage("---------------------------------\nFILE LOAD FAILED\n---------------------------------"); SetAdjustMessageTimeout(10.0f); - } + } MainScene.SetAmbient(Vector4f(1.0f, 1.0f, 1.0f, 1.0f)); - + // Distortion debug grid (brought up by 'G' key). Ptr<Model> gridModel = *Model::CreateGrid(Vector3f(0,0,0), Vector3f(1.0f/10, 0,0), Vector3f(0,1.0f/10,0), - 10, 10, 5, + 10, 10, 5, Color(0, 255, 0, 255), Color(255, 50, 50, 255) ); GridScene.World.Add(gridModel); @@ -1590,13 +1590,13 @@ void OculusWorldDemoApp::PopulateScene(const char *fileName) Ptr<Model> yawLinesModel = *new Model(); Color c = Color(255, 200, 200, 255); float r = 1.5f; - yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(-0.1f, 0, -r), c), + yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(-0.1f, 0, -r), c), yawLinesModel->AddVertex(Vector3f(0, 0, -r-0.2f), c), yawLinesModel->AddVertex(Vector3f(0.1f, 0, -r), c)); - yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(-r-0.1f, 0, -r), c), + yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(-r-0.1f, 0, -r), c), yawLinesModel->AddVertex(Vector3f(-r, 0, -r-0.2f), c), yawLinesModel->AddVertex(Vector3f(-r+0.1f, 0, -r), c)); - yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(r-0.1f, 0, -r), c), + yawLinesModel->AddTriangle(yawLinesModel->AddVertex(Vector3f(r-0.1f, 0, -r), c), yawLinesModel->AddVertex(Vector3f(r, 0, -r-0.2f), c), yawLinesModel->AddVertex(Vector3f(r+0.1f, 0, -r), c)); yawLinesModel->SetPosition(Vector3f(0.0f,-1.2f,0.0f)); @@ -1619,7 +1619,7 @@ void OculusWorldDemoApp::PopulatePreloadScene() if (imageTex) { imageTex->SetSampleMode(Sample_Anisotropic|Sample_Repeat); - Ptr<Model> m = *new Model(Prim_Triangles); + Ptr<Model> m = *new Model(Prim_Triangles); m->AddVertex(-0.5f, 0.5f, 0.0f, Color(255,255,255,255), 0.0f, 0.0f); m->AddVertex( 0.5f, 0.5f, 0.0f, Color(255,255,255,255), 1.0f, 0.0f); m->AddVertex( 0.5f, -0.5f, 0.0f, Color(255,255,255,255), 1.0f, 1.0f); @@ -1628,8 +1628,8 @@ void OculusWorldDemoApp::PopulatePreloadScene() m->AddTriangle(0,3,2); Ptr<ShaderFill> fill = *new ShaderFill(*pRender->CreateShaderSet()); - fill->GetShaders()->SetShader(pRender->LoadBuiltinShader(Shader_Vertex, VShader_MVP)); - fill->GetShaders()->SetShader(pRender->LoadBuiltinShader(Shader_Fragment, FShader_Texture)); + fill->GetShaders()->SetShader(pRender->LoadBuiltinShader(Shader_Vertex, VShader_MVP)); + fill->GetShaders()->SetShader(pRender->LoadBuiltinShader(Shader_Fragment, FShader_Texture)); fill->SetTexture(0, imageTex); m->Fill = fill; @@ -1656,7 +1656,7 @@ void OculusWorldDemoApp::PopulateLODFileNames() SPInt diff = len - pos; if (diff == 0) - return; + return; while(true) { @@ -1734,20 +1734,20 @@ void OculusWorldDemoApp::CycleDisplay() } else { - // Try to find HMD Screen, making it the first screen in full-screen Cycle. + // Try to find HMD Screen, making it the first screen in full-screen Cycle. FirstScreenInCycle = 0; if (pHMD) { DisplayId HMD (SConfig.GetHMDInfo().DisplayDeviceName, SConfig.GetHMDInfo().DisplayId); for (int i = 0; i< screenCount; i++) - { + { if (pPlatform->GetDisplay(i) == HMD) { FirstScreenInCycle = i; break; } - } + } } // Switch full-screen on the HMD. diff --git a/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj b/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj deleted file mode 100644 index a881ab8..0000000 --- a/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj +++ /dev/null @@ -1,211 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup Label="ProjectConfigurations"> - <ProjectConfiguration Include="Debug|Win32"> - <Configuration>Debug</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Debug|x64"> - <Configuration>Debug</Configuration> - <Platform>x64</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Release|Win32"> - <Configuration>Release</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Release|x64"> - <Configuration>Release</Configuration> - <Platform>x64</Platform> - </ProjectConfiguration> - </ItemGroup> - <PropertyGroup Label="Globals"> - <ProjectGuid>{8051B877-2992-4F64-8C3B-FAF88B6D83AA}</ProjectGuid> - <Keyword>Win32Proj</Keyword> - <RootNamespace>OculusWorldDemo</RootNamespace> - <ProjectName>OculusWorldDemo</ProjectName> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>true</UseDebugLibraries> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>true</UseDebugLibraries> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>false</UseDebugLibraries> - <WholeProgramOptimization>true</WholeProgramOptimization> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>false</UseDebugLibraries> - <WholeProgramOptimization>true</WholeProgramOptimization> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" /> - <ImportGroup Label="ExtensionSettings"> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="PropertySheets"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="PropertySheets"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <PropertyGroup Label="UserMacros" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <LinkIncremental>true</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> - <LinkIncremental>true</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <LinkIncremental>false</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> - <LinkIncremental>false</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <ClCompile> - <PrecompiledHeader> - </PrecompiledHeader> - <WarningLevel>Level4</WarningLevel> - <Optimization>Disabled</Optimization> - <PreprocessorDefinitions>OVR_BUILD_DEBUG;WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../3rdParty/TinyXml;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <MinimalRebuild>false</MinimalRebuild> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <AdditionalDependencies>libovrd.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> - <ClCompile> - <PrecompiledHeader> - </PrecompiledHeader> - <WarningLevel>Level4</WarningLevel> - <Optimization>Disabled</Optimization> - <PreprocessorDefinitions>OVR_BUILD_DEBUG;WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <MinimalRebuild>false</MinimalRebuild> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <AdditionalDependencies>libovr64d.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - <AdditionalLibraryDirectories>../../LibOVR/Lib/x64;$(DXSDK_DIR)/Lib/x64;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <ClCompile> - <WarningLevel>Level4</WarningLevel> - <PrecompiledHeader> - </PrecompiledHeader> - <Optimization>MaxSpeed</Optimization> - <FunctionLevelLinking>true</FunctionLevelLinking> - <IntrinsicFunctions>true</IntrinsicFunctions> - <PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../3rdParty/TinyXml;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <RuntimeLibrary>MultiThreaded</RuntimeLibrary> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>false</GenerateDebugInformation> - <EnableCOMDATFolding>true</EnableCOMDATFolding> - <OptimizeReferences>true</OptimizeReferences> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - <AdditionalDependencies>libovr.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> - <ClCompile> - <WarningLevel>Level4</WarningLevel> - <PrecompiledHeader> - </PrecompiledHeader> - <Optimization>MaxSpeed</Optimization> - <FunctionLevelLinking>true</FunctionLevelLinking> - <IntrinsicFunctions>true</IntrinsicFunctions> - <PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <RuntimeLibrary>MultiThreaded</RuntimeLibrary> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <EnableCOMDATFolding>true</EnableCOMDATFolding> - <OptimizeReferences>true</OptimizeReferences> - <AdditionalLibraryDirectories>../../LibOVR/Lib/x64;$(DXSDK_DIR)/Lib/x64;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - <AdditionalDependencies>libovr64.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - </Link> - </ItemDefinitionGroup> - <ItemGroup> - <ClCompile Include="..\CommonSrc\Platform\Platform.cpp" /> - <ClCompile Include="..\CommonSrc\Platform\Win32_Gamepad.cpp" /> - <ClCompile Include="..\CommonSrc\Platform\Win32_Platform.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_LoadTextureDDS.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_LoadTextureTGA.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D10_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D11_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D1X_Device.cpp"> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">true</ExcludedFromBuild> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">true</ExcludedFromBuild> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">true</ExcludedFromBuild> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Release|x64'">true</ExcludedFromBuild> - </ClCompile> - <ClCompile Include="..\..\3rdParty\TinyXml\tinyxml2.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_XmlSceneLoader.cpp" /> - <ClCompile Include="OculusWorldDemo.cpp" /> - <ClCompile Include="Player.cpp" /> - </ItemGroup> - <ItemGroup> - <ClInclude Include="..\CommonSrc\Platform\Gamepad.h" /> - <ClInclude Include="..\CommonSrc\Platform\Platform.h" /> - <ClInclude Include="..\CommonSrc\Platform\Platform_Default.h" /> - <ClInclude Include="..\CommonSrc\Platform\Win32_Gamepad.h" /> - <ClInclude Include="..\CommonSrc\Platform\Win32_Platform.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_Font.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_Device.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D10_Device.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D11_Device.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D1X_Device.h" /> - <ClInclude Include="..\..\3rdParty\TinyXml\tinyxml2.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_XmlSceneLoader.h" /> - <ClInclude Include="Player.h" /> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="OculusWorldDemo.rc" /> - </ItemGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" /> - <ImportGroup Label="ExtensionTargets"> - </ImportGroup> -</Project>
\ No newline at end of file diff --git a/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj.filters b/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj.filters deleted file mode 100644 index e96dc9e..0000000 --- a/Samples/OculusWorldDemo/OculusWorldDemo_Msvc2010.vcxproj.filters +++ /dev/null @@ -1,89 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup> - <Filter Include="CommonSrc"> - <UniqueIdentifier>{ba6e9e50-0655-4f12-a136-6d2a06015925}</UniqueIdentifier> - </Filter> - <Filter Include="CommonSrc\Platform"> - <UniqueIdentifier>{16e20d8b-eff7-454c-be85-02037c399e97}</UniqueIdentifier> - </Filter> - <Filter Include="CommonSrc\Render"> - <UniqueIdentifier>{1b6d51ae-a405-4f3d-be93-41a50db4f328}</UniqueIdentifier> - </Filter> - </ItemGroup> - <ItemGroup> - <ClCompile Include="..\CommonSrc\Platform\Platform.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Platform\Win32_Platform.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_D3D1X_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_D3D10_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="OculusWorldDemo.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D11_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_LoadTextureTGA.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="Player.cpp" /> - <ClCompile Include="..\..\3rdParty\TinyXml\tinyxml2.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_LoadTextureDDS.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_XmlSceneLoader.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Platform\Win32_Gamepad.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - </ItemGroup> - <ItemGroup> - <ClInclude Include="..\CommonSrc\Platform\Win32_Platform.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Platform.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Platform_Default.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_Font.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D1X_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D10_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D11_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="Player.h" /> - <ClInclude Include="..\..\3rdParty\TinyXml\tinyxml2.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_XmlSceneLoader.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Gamepad.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Win32_Gamepad.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="OculusWorldDemo.rc" /> - </ItemGroup> -</Project>
\ No newline at end of file diff --git a/Samples/OculusWorldDemo/Release/readme b/Samples/OculusWorldDemo/Release/readme deleted file mode 100644 index c9d0bc0..0000000 --- a/Samples/OculusWorldDemo/Release/readme +++ /dev/null @@ -1,2 +0,0 @@ -This document exits to ensure that the required directory structure gets created correctly. - diff --git a/Samples/SensorBox/CMakeLists.txt b/Samples/SensorBox/CMakeLists.txt new file mode 100644 index 0000000..be2d98f --- /dev/null +++ b/Samples/SensorBox/CMakeLists.txt @@ -0,0 +1,26 @@ +project(SensorBoxTest) + +set(EXTRA_LIBS + OculusVR + CommonSrc +) + +set(SOURCE_FILES + SensorBoxTest.cpp +) + +if (WIN32) + + add_executable(SensorBoxTest WIN32 ${SOURCE_FILES}) + +elseif (APPLE) + + add_executable(SensorBoxTest MACOSX_BUNDLE ${SOURCE_FILES}) + +else() + + add_executable(SensorBoxTest ${SOURCE_FILES}) + +endif() + +target_link_libraries(SensorBoxTest ${EXTRA_LIBS}) diff --git a/Samples/SensorBox/SensorBoxTest.cpp b/Samples/SensorBox/SensorBoxTest.cpp index 7ca416f..bcf35ed 100644 --- a/Samples/SensorBox/SensorBoxTest.cpp +++ b/Samples/SensorBox/SensorBoxTest.cpp @@ -43,7 +43,7 @@ using namespace OVR::Render; // Y - Up (colored red) // Z - Back (Out from screen, colored blue) // X - Right (green) -// All cameras are looking at the origin. +// All cameras are looking at the origin. // Camera view types. enum ViewType @@ -64,11 +64,11 @@ class InputTestApp : public Application Ptr<DeviceManager> pManager; Ptr<HMDDevice> pHMD; Ptr<SensorDevice> pSensor; - Ptr<SensorDevice> pSensor2; + Ptr<SensorDevice> pSensor2; SensorFusion SFusion; SensorFusion SFusion2; - + double LastUpdate; ViewType CurrentView; @@ -89,11 +89,11 @@ public: InputTestApp(); ~InputTestApp(); - virtual int OnStartup(int argc, const char** argv); + virtual int OnStartup(int argc, char** argv); virtual void OnIdle(); virtual void OnMouseMove(int x, int y, int modifiers); - virtual void OnKey(KeyCode key, int chr, bool down, int modifiers); + virtual void OnKey(OVR::KeyCode key, int chr, bool down, int modifiers); }; InputTestApp::InputTestApp() @@ -116,7 +116,7 @@ void UseCase() Ptr<SensorDevice> pSensor = 0; SensorFusion FusionResult; - + // *** Initialization - Create the first available HMD Device pManager = *DeviceManager::Create(); pHMD = *pManager->EnumerateDevices<HMDDevice>().CreateDevice(); @@ -127,7 +127,7 @@ void UseCase() // Get DisplayDeviceName, ScreenWidth/Height, etc.. HMDInfo hmdInfo; pHMD->GetDeviceInfo(&hmdInfo); - + if (pSensor) FusionResult.AttachToSensor(pSensor); @@ -137,7 +137,7 @@ void UseCase() // Create a matrix from quaternion, // where elements [0][0] through [3][3] contain rotation. - Matrix4f bodyFrameMatrix(q); + Matrix4f bodyFrameMatrix(q); // Get Euler angles from quaternion, in specified axis rotation order. float yaw, pitch, roll; @@ -156,24 +156,24 @@ InputTestApp::~InputTestApp() { pSensor.Clear(); pManager.Clear(); - + } -int InputTestApp::OnStartup(int argc, const char** argv) +int InputTestApp::OnStartup(int argc, char** argv) { if (!pPlatform->SetupWindow(1200,800)) return 1; - + pManager = *DeviceManager::Create(); - + // This initialization logic supports running two sensors at the same time. - + DeviceEnumerator<SensorDevice> isensor = pManager->EnumerateDevices<SensorDevice>(); DeviceEnumerator<SensorDevice> oculusSensor; DeviceEnumerator<SensorDevice> oculusSensor2; - + while(isensor) { DeviceInfo di; @@ -210,13 +210,13 @@ int InputTestApp::OnStartup(int argc, const char** argv) oculusSensor.Clear(); oculusSensor2.Clear(); - - + + /* DeviceHandle hHMD = pManager->EnumerateDevices<HMDDevice>(); HMDInfo hmdInfo; if (hHMD) - { + { hHMD.GetDeviceInfo(&hmdInfo); } */ @@ -241,25 +241,29 @@ int InputTestApp::OnStartup(int argc, const char** argv) // Report relative mouse motion (not absolute position) // pPlatform->SetMouseMode(Mouse_Relative); +#ifdef OVR_OS_WIN32 const char* graphics = "d3d10"; +#else + const char* graphics = "GL"; +#endif for (int i = 1; i < argc; i++) if (!strcmp(argv[i], "-r") && i < argc-1) graphics = argv[i+1]; pRender = pPlatform->SetupGraphics(OVR_DEFAULT_RENDER_DEVICE_SET, graphics, RendererParams()); - + //WireframeFill = pRender->CreateSimpleFill(Fill::F_Wireframe); - + // *** Rotating Box - + pBox = *new Container; - pBox->Add(Ptr<Model>( + pBox->Add(Ptr<Model>( *Model::CreateAxisFaceColorBox(-2.0f, 2.0f, Color(0, 0xAA, 0), // x = green -1.0f, 1.0f, Color(0xAA,0, 0), // y = red - -1.0f, 1.0f, Color(0, 0, 0xAA)) )); // z = blue + -1.0f, 1.0f, Color(0, 0, 0xAA)) )); // z = blue // Drop-down line from box, to make it easier to see differences in angle. Ptr<Model> downLine = *new Model(Prim_Lines); downLine->AddLine(Vertex(0.0f,-4.5f, 0.0f, 0xFFE0B0B0), @@ -267,7 +271,7 @@ int InputTestApp::OnStartup(int argc, const char** argv) pBox->Add(downLine); Sc.World.Add(pBox); - + // Secondary rotating coordinate object, if we have two values. if (pSensor2) { @@ -302,7 +306,7 @@ int InputTestApp::OnStartup(int argc, const char** argv) Vertex( 0.0f, 8.0f, 0.0f, 0xFFFF4040)); // Y - arrow pAxes->AddLine(Vertex(-0.4f, 7.6f, 0.0f, 0xFFFF4040), Vertex( 0.0f, 8.0f, 0.0f, 0xFFFF4040)); // Y - + pAxes->AddLine(Vertex( 0.0f, 0.0f,-8.0f, 0xFF4040FF), Vertex( 0.0f, 0.0f, 8.0f, 0xFF4040FF)); // Z pAxes->AddLine(Vertex( 0.4f, 0.0f, 7.6f, 0xFF4040FF), @@ -310,7 +314,7 @@ int InputTestApp::OnStartup(int argc, const char** argv) pAxes->AddLine(Vertex(-0.4f, 0.0f, 7.6f, 0xFF4040FF), Vertex( 0.0f, 0.0f, 8.0f, 0xFF4040FF)); // Z - arrow Sc.World.Add(pAxes); - + SetView(CurrentView); @@ -339,7 +343,7 @@ void InputTestApp::SetView(ViewType type) View = Matrix4f::LookAtRH(Vector3f(0.0f,-10.0f, 0.0f), // eye Vector3f(0.0f, 0.0f, 0.0f), // at Vector3f(0.0f, 0.0f, 1.0f)); - + break; default: break; @@ -358,12 +362,12 @@ void InputTestApp::OnMouseMove(int x, int y, int modifiers) static float CalcDownAngleDegrees(Quatf q) { - Vector3f downVector(0.0f, -1.0f, 0.0f); + Vector3f downVector(0.0f, -1.0f, 0.0f); Vector3f val= q.Rotate(downVector); return RadToDegree(downVector.Angle(val)); } -void InputTestApp::OnKey(KeyCode key, int chr, bool down, int modifiers) +void InputTestApp::OnKey(OVR::KeyCode key, int chr, bool down, int modifiers) { OVR_UNUSED2(chr, modifiers); @@ -429,7 +433,7 @@ void InputTestApp::OnKey(KeyCode key, int chr, bool down, int modifiers) LogText("Angle: %2.3f Secondary Sensor Angle: %2.3f\n", CalcDownAngleDegrees(SFusion.GetOrientation()), CalcDownAngleDegrees(SFusion2.GetOrientation())); - } + } } break; @@ -451,7 +455,7 @@ void InputTestApp::OnIdle() double curtime = pPlatform->GetAppTime(); // float dt = float(LastUpdate - curtime); LastUpdate = curtime; - + if (pBox) { Quatf q = SFusion.GetOrientation(); @@ -461,7 +465,7 @@ void InputTestApp::OnIdle() // Vector3f euler; // SFusion.GetOrientation().GetEulerABC<Axis_Y, Axis_X, Axis_Z, Rotate_CCW, Handed_R>(&euler.y, &euler.x, &euler.z); // Matrix4f mat = Matrix4f::RotationY(euler.y) * Matrix4f::RotationX(euler.x) * Matrix4f::RotationZ(euler.z); - // pBox->SetMatrix(mat); + // pBox->SetMatrix(mat); // Update titlebar every 20th of a second. if ((curtime - LastTitleUpdate) > 0.05f) @@ -496,7 +500,7 @@ void InputTestApp::OnIdle() pRender->SetProjection(Proj); pRender->SetDepthMode(1,1); - + Sc.Render(pRender, View); pRender->Present(); diff --git a/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj b/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj deleted file mode 100644 index a0c06af..0000000 --- a/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj +++ /dev/null @@ -1,126 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup Label="ProjectConfigurations"> - <ProjectConfiguration Include="Debug|Win32"> - <Configuration>Debug</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - <ProjectConfiguration Include="Release|Win32"> - <Configuration>Release</Configuration> - <Platform>Win32</Platform> - </ProjectConfiguration> - </ItemGroup> - <PropertyGroup Label="Globals"> - <ProjectGuid>{8051B837-2982-4F64-8C3B-FAF88B6D83AB}</ProjectGuid> - <Keyword>Win32Proj</Keyword> - <RootNamespace>SensorBoxTest</RootNamespace> - <ProjectName>SensorBoxTest</ProjectName> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>true</UseDebugLibraries> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration"> - <ConfigurationType>Application</ConfigurationType> - <UseDebugLibraries>false</UseDebugLibraries> - <WholeProgramOptimization>true</WholeProgramOptimization> - <CharacterSet>Unicode</CharacterSet> - </PropertyGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" /> - <ImportGroup Label="ExtensionSettings"> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <ImportGroup Label="PropertySheets" Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> - </ImportGroup> - <PropertyGroup Label="UserMacros" /> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <LinkIncremental>true</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <LinkIncremental>false</LinkIncremental> - <IntDir>$(Configuration)\Obj\</IntDir> - <OutDir>$(ProjectDir)$(Configuration)\</OutDir> - </PropertyGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> - <ClCompile> - <PrecompiledHeader> - </PrecompiledHeader> - <WarningLevel>Level4</WarningLevel> - <Optimization>Disabled</Optimization> - <PreprocessorDefinitions>OVR_BUILD_DEBUG;WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <StringPooling> - </StringPooling> - <MinimalRebuild>false</MinimalRebuild> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <AdditionalDependencies>libovrd.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - </Link> - </ItemDefinitionGroup> - <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> - <ClCompile> - <WarningLevel>Level4</WarningLevel> - <PrecompiledHeader> - </PrecompiledHeader> - <Optimization>MaxSpeed</Optimization> - <FunctionLevelLinking>true</FunctionLevelLinking> - <IntrinsicFunctions>true</IntrinsicFunctions> - <PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions> - <AdditionalIncludeDirectories>../../LibOVR/Include;../../LibOVR/Src;../../3rdParty/glext;$(DXSDK_DIR)/Include;%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories> - <RuntimeLibrary>MultiThreaded</RuntimeLibrary> - <MultiProcessorCompilation>true</MultiProcessorCompilation> - <DebugInformationFormat>OldStyle</DebugInformationFormat> - </ClCompile> - <Link> - <SubSystem>Windows</SubSystem> - <GenerateDebugInformation>true</GenerateDebugInformation> - <EnableCOMDATFolding>true</EnableCOMDATFolding> - <OptimizeReferences>true</OptimizeReferences> - <AdditionalLibraryDirectories>../../LibOVR/Lib/Win32;$(DXSDK_DIR)/Lib/x86;%(AdditionalLibraryDirectories)</AdditionalLibraryDirectories> - <AdditionalDependencies>libovr.lib;dxgi.lib;d3d10.lib;d3d11.lib;d3dcompiler.lib;opengl32.lib;winmm.lib;kernel32.lib;user32.lib;gdi32.lib;winspool.lib;comdlg32.lib;advapi32.lib;shell32.lib;ole32.lib;oleaut32.lib;uuid.lib;odbc32.lib;odbccp32.lib;%(AdditionalDependencies)</AdditionalDependencies> - </Link> - </ItemDefinitionGroup> - <ItemGroup> - <ClCompile Include="..\CommonSrc\Platform\Platform.cpp" /> - <ClCompile Include="..\CommonSrc\Platform\Win32_Gamepad.cpp" /> - <ClCompile Include="..\CommonSrc\Platform\Win32_Platform.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D10_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D11_Device.cpp" /> - <ClCompile Include="..\CommonSrc\Render\Render_D3D1X_Device.cpp"> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">true</ExcludedFromBuild> - <ExcludedFromBuild Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">true</ExcludedFromBuild> - </ClCompile> - <ClCompile Include="SensorBoxTest.cpp" /> - </ItemGroup> - <ItemGroup> - <ClInclude Include="..\CommonSrc\Platform\Gamepad.h" /> - <ClInclude Include="..\CommonSrc\Platform\Platform.h" /> - <ClInclude Include="..\CommonSrc\Platform\Platform_Default.h" /> - <ClInclude Include="..\CommonSrc\Platform\Win32_Gamepad.h" /> - <ClInclude Include="..\CommonSrc\Platform\Win32_Platform.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_Font.h" /> - <ClInclude Include="..\CommonSrc\Render\Render.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D10_Device.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D11_Device.h" /> - <ClInclude Include="..\CommonSrc\Render\Render_D3D1X_Device.h" /> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="SensorBoxTest.rc" /> - </ItemGroup> - <Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" /> - <ImportGroup Label="ExtensionTargets"> - </ImportGroup> -</Project>
\ No newline at end of file diff --git a/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj.filters b/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj.filters deleted file mode 100644 index 5c2ee68..0000000 --- a/Samples/SensorBox/SensorBoxTest_Msvc2010.vcxproj.filters +++ /dev/null @@ -1,73 +0,0 @@ -<?xml version="1.0" encoding="utf-8"?> -<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> - <ItemGroup> - <Filter Include="CommonSrc"> - <UniqueIdentifier>{ba673e50-0655-4f12-a166-6d3ab6015925}</UniqueIdentifier> - </Filter> - <Filter Include="CommonSrc\Platform"> - <UniqueIdentifier>{16e20aab-eff7-45ff-be85-0203ad399e97}</UniqueIdentifier> - </Filter> - <Filter Include="CommonSrc\Render"> - <UniqueIdentifier>{1b6db3ae-a405-4f65-be93-41a62db4fa21}</UniqueIdentifier> - </Filter> - </ItemGroup> - <ItemGroup> - <ClCompile Include="..\CommonSrc\Platform\Platform.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Platform\Win32_Platform.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_D3D1X_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_D3D10_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="..\CommonSrc\Render\Render_D3D11_Device.cpp"> - <Filter>CommonSrc\Render</Filter> - </ClCompile> - <ClCompile Include="SensorBoxTest.cpp" /> - <ClCompile Include="..\CommonSrc\Platform\Win32_Gamepad.cpp"> - <Filter>CommonSrc\Platform</Filter> - </ClCompile> - </ItemGroup> - <ItemGroup> - <ClInclude Include="..\CommonSrc\Platform\Win32_Platform.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Platform.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Platform_Default.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_Font.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D1X_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D10_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Render\Render_D3D11_Device.h"> - <Filter>CommonSrc\Render</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Gamepad.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - <ClInclude Include="..\CommonSrc\Platform\Win32_Gamepad.h"> - <Filter>CommonSrc\Platform</Filter> - </ClInclude> - </ItemGroup> - <ItemGroup> - <ResourceCompile Include="SensorBoxTest.rc" /> - </ItemGroup> -</Project>
\ No newline at end of file diff --git a/Samples/TestSensor/CMakeLists.txt b/Samples/TestSensor/CMakeLists.txt new file mode 100644 index 0000000..6e71403 --- /dev/null +++ b/Samples/TestSensor/CMakeLists.txt @@ -0,0 +1,12 @@ +project(TestSensor) + +set(EXTRA_LIBS + OculusVR +) + +set(SOURCE_FILES + TestSensor.cpp +) + +add_executable(TestSensor ${SOURCE_FILES}) +target_link_libraries(TestSensor ${EXTRA_LIBS}) diff --git a/Samples/TestSensor/TestSensor.cpp b/Samples/TestSensor/TestSensor.cpp new file mode 100644 index 0000000..d5782c4 --- /dev/null +++ b/Samples/TestSensor/TestSensor.cpp @@ -0,0 +1,66 @@ +#include "OVR.h"
+
+#ifdef WIN32
+#define sleep(x) Sleep(1000 * x)
+#else
+#include <unistd.h>
+#endif
+
+
+using namespace OVR;
+
+class TrackerHandler : public MessageHandler {
+public:
+ int count;
+ TrackerHandler() : count(0) {};
+ virtual void OnMessage(const Message& msg) {
+ ++count;
+ const MessageBodyFrame & trackerMessage = *(MessageBodyFrame*) &msg;
+ const Vector3f & accel = trackerMessage.Acceleration;
+ OVR_DEBUG_LOG(("X %0.3f Y %0.3f Z %0.3f Length %0.3f", accel.x, accel.y, accel.z, accel.Length()));
+ }
+
+ virtual bool SupportsMessageType(MessageType type) const {
+ return Message_BodyFrame == type;
+ }
+};
+
+
+int main(int argc, char ** argv) {
+ System::Init();
+ Log & log = *Log::GetDefaultLog();
+ log.SetLoggingMask(LogMask_All);
+
+
+ // *** Initialization - Create the first available HMD Device
+ LogText("Attempting to instantiate the device manager\n");
+ Ptr<DeviceManager> pManager = *DeviceManager::Create();
+ if (!pManager) {
+ LogError("Could not instantiate device manager.\n");
+ return -1;
+ }
+
+
+ LogText("Attempting to instantiate the sensor device\n");
+ Ptr<SensorDevice> pSensor = *pManager->EnumerateDevices<SensorDevice>().CreateDevice();
+ if (!pSensor) {
+ LogError("Could not instantiate sensor device.");
+ return -1;
+ }
+
+ LogText("Attaching message handler to the device the sensor device\n");
+ TrackerHandler handler;
+ pSensor->SetMessageHandler(&handler);
+ LogText("Waiting for messages for 1 second\n");
+
+ sleep(1);
+ LogText("Shutting down sensor device\n");
+ pSensor.Clear();
+ LogText("Received %d messages\n", handler.count);
+ LogText("Shutting down DeviceManager\n");
+ pManager.Clear();
+ LogText("Shutting down OVR SDK\n");
+ OVR::System::Destroy();
+ LogText("Done\n");
+ return 0;
+}
|