Tilt Five NDK
TiltFiveNative.hpp
Go to the documentation of this file.
1/*
2 * Copyright (C) 2020-2023 Tilt Five, Inc.
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17#pragma once
18
21
22#include "TiltFiveNative.h"
23#include "errors.hpp"
24#include "result.hpp"
25
26#include <algorithm>
27#include <atomic>
28#include <chrono>
29#include <functional>
30#include <iomanip>
31#include <iostream>
32#include <map>
33#include <memory>
34#include <mutex>
35#include <set>
36#include <string>
37#include <thread>
38#include <utility>
39#include <vector>
40
44
45namespace tiltfive {
46
50
54
55class Client;
56class Glasses;
57class Wand;
58class WandStreamHelper;
59class GlassesConnectionHelper;
60class ParamChangeHelper;
61class ParamChangeListener;
62
65inline auto obtainWand(T5_WandHandle handle, std::shared_ptr<WandStreamHelper> wandStreamHelper)
67inline auto obtainWandStreamHelper(
72 const std::string& displayName,
73 std::chrono::milliseconds connectionPollInterval)
77 std::chrono::milliseconds pollInterval)
80
82class Client : public std::enable_shared_from_this<Client> {
83protected:
84 static constexpr bool kDebug = true;
85
86 Client(std::string applicationId, std::string applicationVersion, const uint8_t sdkType)
87 : mApplicationId(std::move(applicationId))
88 , mApplicationVersion(std::move(applicationVersion)) {
89
90 mClientInfo.applicationId = mApplicationId.c_str();
91 mClientInfo.applicationVersion = mApplicationVersion.c_str();
92 mClientInfo.sdkType = sdkType;
93 }
94
95 const std::string mApplicationId;
96 const std::string mApplicationVersion;
97
98 T5_Context mContext{};
99 T5_ClientInfo mClientInfo{};
100
101 friend Glasses;
102 friend ParamChangeHelper;
103
104 friend std::ostream& operator<<(std::ostream& os, std::shared_ptr<Client> const& instance) {
105 os << *instance;
106 return os;
107 }
108
109 friend std::ostream& operator<<(std::ostream& os, Client const& instance) {
110 os << "<Client:" << instance.mApplicationId << ">";
111 return os;
112 }
113
114 friend auto obtainClient(const std::string& applicationId,
115 const std::string& applicationVersion,
116 void* platformContext,
117 const uint8_t sdkType) -> Result<std::shared_ptr<Client>>;
118
119 static auto create(const std::string& applicationId,
120 const std::string& applicationVersion,
121 void* platformContext,
122 const uint8_t sdkType) -> Result<std::shared_ptr<Client>> {
123
124 // Validate inputs
125 if (applicationId.length() > T5_MAX_STRING_PARAM_LEN) {
127 }
128
129 if (applicationVersion.length() > T5_MAX_STRING_PARAM_LEN) {
131 }
132
133 // Create client
134 auto client =
135 std::shared_ptr<Client>(new Client(applicationId, applicationVersion, sdkType));
136
137 // Start up the service connection
138 auto err = t5CreateContext(&client->mContext, &client->mClientInfo, platformContext);
139 if (err) {
140 return static_cast<Error>(err);
141 }
142
143 return client;
144 };
145
146public:
148 virtual ~Client() {
149 // Release context and library
150 t5DestroyContext(&mContext);
151 mContext = nullptr;
152 }
154
158
165 [[nodiscard]] auto getHandle() const -> T5_Context {
166 return mContext;
167 }
168
175 std::vector<char> buffer;
176 buffer.resize(64);
177
178 size_t bufferSize;
179
180 // If the buffer passed to listGlasses() is too small, it'll return with
181 // an overflow condition, in which case, increase the size of the buffer
182 // and try again.
183 for (;;) {
184 bufferSize = buffer.size();
185 T5_Result err = t5ListGlasses(mContext, buffer.data(), &bufferSize);
186 if (!err) {
187 break;
188 } else if (err == T5_ERROR_OVERFLOW) {
189 if (bufferSize > 1024) {
190 return Error::kOverflow;
191 }
192
193 buffer.resize(bufferSize);
194 } else {
195 return static_cast<Error>(err);
196 }
197 }
198
199 // Peel off string until we encounter a naked null (empty string)
200 std::vector<std::string> glassesList;
201 auto buffPtr = buffer.data();
202 for (;;) {
203 std::string id = buffPtr;
204 if (id.empty()) {
205 break;
206 }
207
208 buffPtr += id.length() + 1;
209 glassesList.push_back(id);
210 }
211 return glassesList;
212 }
213
221 T5_Result err =
223 if (!err) {
224 return std::string(value.get(), size);
225 } else {
226 return static_cast<Error>(err);
227 }
228 }
229
238 uint16_t changedParamsCount = 32;
239 std::vector<T5_ParamSys> changedParamsBuffer(changedParamsCount);
240
241 changedParamsBuffer.resize(changedParamsCount);
242 T5_Result err =
243 t5GetChangedSystemParams(mContext, changedParamsBuffer.data(), &changedParamsCount);
244
245 for (;;) {
246 if (!err) {
247 changedParamsBuffer.resize(changedParamsCount);
248 return changedParamsBuffer;
249
250 } else if (err == T5_ERROR_OVERFLOW) {
251 changedParamsCount = changedParamsBuffer.size() * 2;
252 continue;
253
254 } else {
255 return static_cast<Error>(err);
256 }
257 }
258 }
259
272 int64_t value = 0;
273
274 T5_Result err =
276 if (!err) {
277 return value != 0;
278 } else if (err == T5_ERROR_SETTING_UNKNOWN) {
279 return false;
280 } else {
281 return static_cast<Error>(err);
282 }
283 }
284
291
292 T5_Result err = t5GetGameboardSize(mContext, type, &size);
293 if (!err) {
294 return size;
295 } else {
296 return static_cast<Error>(err);
297 }
298 }
299
307 [[nodiscard]] auto createParamChangedHelper(
311
312 return obtainParamChangeHelper(shared_from_this(), std::move(listener), pollInterval);
313 }
314};
315
317enum class ConnectionState : int {
321
323 kReserved,
324
327
330};
331
333class Glasses : public std::enable_shared_from_this<Glasses> {
334protected:
335 friend Client;
336 friend ParamChangeHelper;
337
338 const std::string mIdentifier;
339 const std::shared_ptr<Client> mClient;
340 std::weak_ptr<WandStreamHelper> mWandStreamHelper{};
341 T5_Glasses mGlasses{};
342
343 friend std::ostream& operator<<(std::ostream& os, std::shared_ptr<Glasses> const& instance) {
344 os << *instance;
345 return os;
346 }
347
348 friend std::ostream& operator<<(std::ostream& os, Glasses const& instance) {
349 os << "<Glasses:" << instance.mIdentifier << ">";
350 return os;
351 }
352
353 friend auto obtainGlasses(const std::string& identifier, const std::shared_ptr<Client>& client)
355
356 explicit Glasses(std::string identifier, std::shared_ptr<Client> client)
357 : mIdentifier(std::move(identifier)), mClient(std::move(client)) {}
358
359 static auto create(std::string identifier, std::shared_ptr<Client> client)
361
362 if (!client) {
364 }
365
366 T5_Glasses handle;
367 T5_Result err = t5CreateGlasses(client->mContext, identifier.c_str(), &handle);
368
369 if (err) {
370 return static_cast<Error>(err);
371 }
372
373 std::shared_ptr<Glasses> glasses{new Glasses(identifier, client)};
374
375 glasses->mGlasses = handle;
376
377 return glasses;
378 }
379
380public:
387 [[nodiscard]] auto getHandle() const -> T5_Glasses {
388 return mGlasses;
389 }
390
400 [[nodiscard]] auto getIdentifier() const -> std::string {
401 return mIdentifier;
402 }
403
408 T5_ConnectionState connectionState;
409 T5_Result err = t5GetGlassesConnectionState(mGlasses, &connectionState);
410 if (err != T5_SUCCESS) {
411 return static_cast<Error>(err);
412 }
413
414 switch (connectionState) {
417
420
423
426
427 default:
429 }
430 }
431
458 T5_DepthRange depthRange,
459 T5_MatrixOrder matrixOrder,
460 double nearPlane,
461 double farPlane,
462 double worldScale) -> Result<T5_ProjectionInfo> {
463
464 T5_ProjectionInfo projectionInfo;
465 T5_Result err = t5GetProjection(mGlasses,
466 handedness,
467 depthRange,
468 matrixOrder,
469 nearPlane,
470 farPlane,
471 worldScale,
472 &projectionInfo);
473
474 if (!err) {
475 return projectionInfo;
476 } else {
477 return static_cast<Error>(err);
478 }
479 }
480
489 uint16_t changedParamsCount = 32;
490 std::vector<T5_ParamGlasses> changedParamsBuffer(changedParamsCount);
491
492 changedParamsBuffer.resize(changedParamsCount);
493 T5_Result err =
494 t5GetChangedGlassesParams(mGlasses, changedParamsBuffer.data(), &changedParamsCount);
495
496 for (;;) {
497 if (!err) {
498 changedParamsBuffer.resize(changedParamsCount);
499 return changedParamsBuffer;
500
501 } else if (err == T5_ERROR_OVERFLOW) {
502 changedParamsCount = changedParamsBuffer.size() * 2;
503 continue;
504
505 } else {
506 return static_cast<Error>(err);
507 }
508 }
509 }
510
519 double value = 0;
521 if (!err) {
522 return value;
523 } else {
524 return static_cast<Error>(err);
525 }
526 }
527
540 mGlasses, 0, kT5_ParamGlasses_UTF8_FriendlyName, value.get(), &size);
541 if (!err) {
542 return std::string(value.get());
543 } else {
544 return static_cast<Error>(err);
545 }
546 }
547
568 auto reserve(const std::string& displayName) -> Result<void> {
569 T5_Result err = t5ReserveGlasses(mGlasses, displayName.c_str());
570 if (!err) {
571 return kSuccess;
572 } else {
573 return static_cast<Error>(err);
574 }
575 }
576
592 T5_Result err = t5EnsureGlassesReady(mGlasses);
593 if (!err) {
594 return kSuccess;
595 } else {
596 return static_cast<Error>(err);
597 }
598 }
599
608 T5_Result err = t5ReleaseGlasses(mGlasses);
609 if (!err) {
610 return kSuccess;
611 } else {
612 return static_cast<Error>(err);
613 }
614 }
615
622 T5_GlassesPose pose;
623 T5_Result err = t5GetGlassesPose(mGlasses, usage, &pose);
624
625 if (!err) {
626 return pose;
627 } else {
628 return static_cast<Error>(err);
629 }
630 }
631
636 auto initGraphicsContext(T5_GraphicsApi graphicsApi, void* graphicsContext) -> Result<void> {
637 T5_Result err = t5InitGlassesGraphicsContext(mGlasses, graphicsApi, graphicsContext);
638 if (!err) {
639 return kSuccess;
640 }
641 return static_cast<Error>(err);
642 }
643
648 T5_Result err = t5ConfigureCameraStreamForGlasses(mGlasses, config);
649 if (!err) {
650 return kSuccess;
651 } else {
652 return static_cast<Error>(err);
653 }
654 }
655
657 //
660 T5_CamImage img;
661 T5_Result err = t5GetFilledCamImageBuffer(mGlasses, &img);
662 if (!err) {
663 return std::move(img);
664 } else {
665 return static_cast<Error>(err);
666 }
667 }
668
670 //
673 T5_Result err = t5SubmitEmptyCamImageBuffer(mGlasses, imgBuffer);
674 if (!err) {
675 return kSuccess;
676 } else {
677 return static_cast<Error>(err);
678 }
679 }
680
682 //
685 auto cancelCamImageBuffer(uint8_t* buffer) -> Result<void> {
686 T5_Result err = t5CancelCamImageBuffer(mGlasses, buffer);
687 if (!err) {
688 return kSuccess;
689 } else {
690 return static_cast<Error>(err);
691 }
692 }
693
697 auto sendFrame(const T5_FrameInfo* const frameInfo) -> Result<void> {
698 T5_Result err = t5SendFrameToGlasses(mGlasses, frameInfo);
699 if (!err) {
700 return kSuccess;
701 } else {
702 return static_cast<Error>(err);
703 }
704 }
705
711 auto sendImpulse(T5_WandHandle handle, float amplitude, uint16_t duration) -> Result<void> {
712 T5_Result err = t5SendImpulse(mGlasses, handle, amplitude, duration);
713 if (!err) {
714 return kSuccess;
715 } else {
716 return static_cast<Error>(err);
717 }
718 }
719
724 uint8_t wandCount = 4;
725 std::vector<T5_WandHandle> wandBuffer(wandCount);
726
727 for (;;) {
728 wandBuffer.resize(wandCount);
729 T5_Result err = t5ListWandsForGlasses(mGlasses, wandBuffer.data(), &wandCount);
730
731 if (!err) {
733 wands.reserve(wandCount);
734
735 for (auto i = 0; i < wandCount; i++) {
736 wands.push_back(wandBuffer[i]);
737 }
738
739 return wands;
740
741 } else if (err == T5_ERROR_OVERFLOW) {
742 wandCount = wandBuffer.size() * 2;
743 continue;
744
745 } else {
746 return static_cast<Error>(err);
747 }
748 }
749 }
750
755 T5_Result err = t5ConfigureWandStreamForGlasses(mGlasses, config);
756 if (!err) {
757 return kSuccess;
758 } else {
759 return static_cast<Error>(err);
760 }
761 }
762
779 T5_WandStreamEvent event;
780
781 T5_Result err = t5ReadWandStreamForGlasses(mGlasses, &event, timeout.count());
782 if (!err) {
783 return event;
784 } else {
785 return static_cast<Error>(err);
786 }
787 }
788
794 auto wandStreamHelper = mWandStreamHelper.lock();
795 if (!wandStreamHelper) {
796 // needs initialization
797 wandStreamHelper = obtainWandStreamHelper(shared_from_this());
798 mWandStreamHelper = wandStreamHelper;
799 }
800 return wandStreamHelper;
801 }
802
811 const std::string& displayName,
812 std::chrono::milliseconds connectionPollInterval = std::chrono::milliseconds(100))
814
816 shared_from_this(), displayName, connectionPollInterval);
817 }
818
820 virtual ~Glasses() {
821 // Disconnect the glasses if they're connected
822 auto connectionState = getConnectionState();
823 if (!connectionState) {
824 return;
825 }
826
827 if (mGlasses) {
828 t5DestroyGlasses(&mGlasses);
829 mGlasses = nullptr;
830 }
831 }
833};
834
839private:
840 const std::shared_ptr<Glasses> mGlasses;
841 const std::string mDisplayName;
842 const std::chrono::milliseconds mConnectionPollInterval;
843 const std::chrono::milliseconds mConnectedPollInterval = mConnectionPollInterval * 10;
844
845 std::atomic<bool> mRunning{true};
846 std::thread mThread;
847
848 std::mutex mLastAsyncErrorMtx;
849 std::atomic<std::error_code> mLastAsyncError{};
850
851 void setLastAsyncError(std::error_code err) {
852 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
853 mLastAsyncError = err;
854 }
855
856 void threadMain() {
857 while (mRunning) {
858 auto connectionState = mGlasses->getConnectionState();
859 if (!connectionState) {
860 setLastAsyncError(connectionState.error());
861 std::this_thread::sleep_for(mConnectionPollInterval);
862 continue;
863 }
864
865 switch (*connectionState) {
867 // Attempt to connect
868 auto result = mGlasses->reserve(mDisplayName);
869 if (!result) {
870 setLastAsyncError(result.error());
871 }
872 // No action on success - the next call to getConnectionState() will
873 // detect the change
874
875 break;
876 }
877
880 auto result = mGlasses->ensureReady();
881 if (!result) {
882 setLastAsyncError(result.error());
883 }
884 // No action on success - the next call to getConnectionState() will
885 // detect the change
886
887 break;
888 }
889
891 // If we're connected, increase polling interval to reduce excessive
892 // connections state queries (at the expense of slowing detection of
893 // disconnected devices).
894 std::this_thread::sleep_for(mConnectedPollInterval);
895 break;
896 }
897
898 std::this_thread::sleep_for(mConnectionPollInterval);
899 }
900 }
901
903 const std::string& displayName,
904 std::chrono::milliseconds connectionPollInterval)
906
908 std::string displayName,
909 std::chrono::milliseconds connectionPollInterval)
910 : mGlasses(std::move(glasses))
911 , mDisplayName{std::move(displayName)}
912 , mConnectionPollInterval(connectionPollInterval) {
913
914 mThread = std::thread(&GlassesConnectionHelper::threadMain, this);
915 }
916
917public:
919 [[nodiscard]] auto glasses() -> Glasses& {
920 return *mGlasses;
921 }
922
925 auto connectionState = mGlasses->getConnectionState();
926 if (!connectionState) {
927 return connectionState.error();
928 }
929
930 while (*connectionState != ConnectionState::kConnected) {
931 std::this_thread::sleep_for(mConnectionPollInterval);
932
933 connectionState = mGlasses->getConnectionState();
934 if (!connectionState) {
935 return connectionState.error();
936 }
937 }
938
939 return kSuccess;
940 }
941
946 auto start = std::chrono::steady_clock::now();
947
948 auto connectionState = mGlasses->getConnectionState();
949 if (!connectionState) {
950 return connectionState.error();
951 }
952
953 while (*connectionState != ConnectionState::kConnected) {
954 if ((std::chrono::steady_clock::now() - start) > timeout) {
955 return Error::kTimeout;
956 }
957
958 std::this_thread::sleep_for(mConnectionPollInterval);
959
960 connectionState = mGlasses->getConnectionState();
961 if (!connectionState) {
962 return connectionState.error();
963 }
964 }
965
966 return kSuccess;
967 }
968
976 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
977 return mLastAsyncError.exchange({});
978 }
979
981 virtual ~GlassesConnectionHelper() {
982 mRunning = false;
983 if (mThread.joinable()) {
984 mThread.join();
985 }
986 }
988};
989
997class WandStreamHelper : public std::enable_shared_from_this<WandStreamHelper> {
998private:
999 friend Wand;
1000
1001 const std::shared_ptr<Glasses> mGlasses;
1002 const std::chrono::milliseconds mPollTimeout;
1003
1004 std::atomic<bool> mWandListDirty{true};
1005 std::mutex mWandListMtx; // guards access to mWandList
1007
1008 std::atomic<bool> mRunning{true};
1009 std::thread mThread;
1010
1011 std::mutex mLastWandReportsMtx; // guards access to mLastWandReports
1013
1014 std::mutex mLastAsyncErrorMtx;
1015 std::atomic<std::error_code> mLastAsyncError{};
1016
1017 void setLastAsyncError(std::error_code err) {
1018 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
1019 mLastAsyncError = err;
1020 }
1021
1022 auto drainStream(const std::shared_ptr<Glasses>& glasses) -> Result<void> {
1023 while (mRunning) {
1024 auto result = glasses->readWandStream(mPollTimeout);
1025 if (!result) {
1026 return result.error();
1027 }
1028
1029 std::lock_guard<std::mutex> lock{mLastWandReportsMtx};
1030
1031 // Process the event
1032 switch (result->type) {
1034 mLastWandReports[result->wandId] = {};
1035 mWandListDirty = true;
1036 break;
1037
1039 mLastWandReports.erase(result->wandId);
1040 mWandListDirty = true;
1041 break;
1042
1044 mWandListDirty = true;
1045 break;
1046
1048 mLastWandReports[result->wandId] = result->report;
1049 break;
1050 }
1051 }
1052
1053 return Error::kUnavailable;
1054 }
1055
1056 // Update the reports map based on the latest wand list.
1057 // Ensure empty reports are populated for newly-connected wands.
1058 // Remove reports for wands that are no longer connected.
1059 //
1060 // PRECONDITIONS: Wand list mutex must be held.
1061 auto refreshReports() -> void {
1062 std::lock_guard<std::mutex> lock{mLastWandReportsMtx};
1063
1064 // Obtain a set of the wand handles held in mLastWandReports
1065 std::set<T5_WandHandle> lastWandReportKeys;
1066 std::transform(mLastWandReports.cbegin(),
1067 mLastWandReports.cend(),
1068 std::inserter(lastWandReportKeys, lastWandReportKeys.end()),
1069 [](std::pair<T5_WandHandle, T5_WandReport> pair) { return pair.first; });
1070
1071 // Remove from the list all connected wands and add empty reports for new wands.
1072 for (const auto& connectedWand : mWandList) {
1073 lastWandReportKeys.erase(connectedWand);
1074 mLastWandReports.insert({connectedWand, T5_WandReport{}});
1075 }
1076
1077 // The remainder of the list is wand reports for disconnected wands - remove them
1078 for (auto defunctKey : lastWandReportKeys) {
1079 mLastWandReports.erase(defunctKey);
1080 }
1081 }
1082
1083 void threadMain() {
1084 T5_WandStreamConfig streamConfig{true};
1085 bool configured = false;
1086
1087 while (mRunning) {
1088 // Configure the stream if we haven't already
1089 if (!configured) {
1090 auto configureRequest = mGlasses->configureWandStream(&streamConfig);
1091 if (!configureRequest) {
1092 setLastAsyncError(configureRequest.error());
1094 continue;
1095 }
1096 configured = true;
1097 }
1098
1099 // Drain the stream
1100 auto result = drainStream(mGlasses);
1101 if ((result.error() != tiltfive::Error::kTimeout) &&
1102 (result.error() != tiltfive::Error::kUnavailable)) {
1103
1104 // For errors other than timeout, record it, small delay and loop
1105 setLastAsyncError(result.error());
1107 }
1108 }
1109
1110 // Disable the stream
1111 streamConfig.enabled = false;
1112 auto configureRequest = mGlasses->configureWandStream(&streamConfig);
1113 if (!configureRequest) {
1114 setLastAsyncError(configureRequest.error());
1115 }
1116
1117 // Flag as no longer running if we've exited due to error
1118 mRunning = false;
1119 }
1120
1121 friend inline auto obtainWandStreamHelper(std::shared_ptr<Glasses> glasses,
1122 std::chrono::milliseconds pollTimeout)
1124
1125 explicit WandStreamHelper(
1128 : mGlasses(std::move(glasses)), mPollTimeout(pollTimeout) {
1129
1130 mThread = std::thread(&WandStreamHelper::threadMain, this);
1131 }
1132
1133 auto getLatestReport(const T5_WandHandle& handle) -> Result<T5_WandReport> {
1134 std::lock_guard<std::mutex> lock{mLastWandReportsMtx};
1135
1136 auto report = mLastWandReports.find(handle);
1137 if (report == mLastWandReports.end()) {
1139 }
1140
1141 return report->second;
1142 };
1143
1144public:
1153 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
1154 return mLastAsyncError.exchange({});
1155 }
1156
1164 std::lock_guard<std::mutex> lock{mWandListMtx};
1165
1166 // Update the wand list if it's been invalidated
1167 if (mWandListDirty.exchange(false)) {
1168 auto result = mGlasses->listWands();
1169 if (!result) {
1170 mWandListDirty = true;
1171 return result.error();
1172 }
1173
1174 std::vector<T5_WandHandle> wandHandles;
1175 for (auto wandHandle : *result) {
1176 wandHandles.push_back(wandHandle);
1177 }
1178 mWandList = wandHandles;
1179
1180 refreshReports();
1181 }
1182
1183 // Realize wand list
1185 for (auto wandHandle : mWandList) {
1186 wands.push_back(obtainWand(wandHandle, shared_from_this()));
1187 }
1188
1189 return wands;
1190 };
1191
1197 auto sendImpulse(const T5_WandHandle& handle, float amplitude, uint16_t duration)
1198 -> Result<void> {
1199 auto result = mGlasses->sendImpulse(handle, amplitude, duration);
1200 if (!result) {
1201 return result.error();
1202 }
1203
1204 return kSuccess;
1205 }
1206
1208 virtual ~WandStreamHelper() {
1209 mRunning = false;
1210 if (mThread.joinable()) {
1211 mThread.join();
1212 }
1213 }
1215};
1216
1219public:
1222 virtual auto onSysParamChanged(const std::vector<T5_ParamSys>& changed) -> void = 0;
1223
1227 const std::vector<T5_ParamGlasses>& changed) -> void = 0;
1228
1230 virtual ~ParamChangeListener() = default;
1232};
1233
1237private:
1238 const std::shared_ptr<Client> mClient;
1239 const std::weak_ptr<ParamChangeListener> mChangeListener;
1240
1241 static constexpr size_t kDefaultSettingBufferSize = 16;
1242
1243 std::mutex mRegisteredGlassesMtx;
1244 std::set<std::shared_ptr<Glasses>> mRegisteredGlasses;
1245
1246 std::vector<T5_ParamSys> mChangedSysParams;
1247 std::vector<T5_ParamGlasses> mChangedGlassesParams;
1248
1249 std::chrono::milliseconds mPollInterval;
1250
1251 std::thread mThread;
1252 std::atomic<bool> mRunning{true};
1253
1254 std::mutex mLastAsyncErrorMtx;
1255 std::atomic<std::error_code> mLastAsyncError{};
1256
1257 void setLastAsyncError(std::error_code err) {
1258 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
1259 mLastAsyncError = err;
1260 }
1261
1264 std::chrono::milliseconds pollInterval)
1266
1269 std::chrono::milliseconds pollInterval)
1270 : mClient(std::move(client))
1271 , mChangeListener(std::move(listener))
1272 , mPollInterval(pollInterval) {
1273
1274 mThread = std::thread(&ParamChangeHelper::threadMain, this);
1275 }
1276
1277 auto checkGlassesParams(const std::shared_ptr<ParamChangeListener>& listener) -> void {
1278 std::lock_guard<std::mutex> lock(mRegisteredGlassesMtx);
1279 for (const auto& glasses : mRegisteredGlasses) {
1280 checkGlassesParams(glasses, listener);
1281 }
1282 }
1283
1284 auto checkGlassesParams(const std::shared_ptr<Glasses>& glasses,
1285 const std::shared_ptr<ParamChangeListener>& listener) -> void {
1286 uint16_t changeCount;
1287
1288 mChangedGlassesParams.resize(kDefaultSettingBufferSize);
1289 for (;;) {
1290 changeCount = mChangedGlassesParams.size();
1292 glasses->mGlasses, mChangedGlassesParams.data(), &changeCount);
1293
1294 if (!err) {
1295 if (changeCount > 0) {
1296 mChangedGlassesParams.resize(changeCount);
1297 listener->onGlassesParamChanged(glasses, mChangedGlassesParams);
1298 }
1299 break;
1300 }
1301
1302 // Error - increase buffer if we overflowed, or record the error and exit
1303 if (err == T5_ERROR_OVERFLOW) {
1304 mChangedSysParams.resize(mChangedSysParams.size() * 2);
1305 continue;
1306 }
1307
1308 setLastAsyncError(static_cast<Error>(err));
1309 break;
1310 }
1311 }
1312
1313 auto checkSysParams(const std::shared_ptr<ParamChangeListener>& listener) -> void {
1314 uint16_t changeCount;
1315
1316 mChangedSysParams.resize(kDefaultSettingBufferSize);
1317 for (;;) {
1318 changeCount = mChangedSysParams.size();
1319 T5_Result err =
1320 t5GetChangedSystemParams(mClient->mContext, mChangedSysParams.data(), &changeCount);
1321
1322 if (!err) {
1323 if (changeCount > 0) {
1324 mChangedSysParams.resize(changeCount);
1325 listener->onSysParamChanged(mChangedSysParams);
1326 }
1327 break;
1328 }
1329
1330 // Error - increase buffer if we overflowed, or record the error and exit
1331 if (err == T5_ERROR_OVERFLOW) {
1332 mChangedSysParams.resize(mChangedSysParams.size() * 2);
1333 continue;
1334 }
1335
1336 setLastAsyncError(static_cast<Error>(err));
1337 break;
1338 }
1339 }
1340
1341 auto threadMain() -> void {
1342 while (mRunning) {
1343 // Listener weak_ptr -> shared_ptr or exit
1344 {
1345 auto listener = mChangeListener.lock();
1346 if (!listener) {
1347 break;
1348 }
1349
1350 checkGlassesParams(listener);
1351
1352 checkSysParams(listener);
1353 }
1354
1355 std::this_thread::sleep_for(mPollInterval);
1356 }
1357 }
1358
1359public:
1361 virtual ~ParamChangeHelper() {
1362 mRunning = false;
1363 if (mThread.joinable()) {
1364 mThread.join();
1365 }
1366 }
1368
1377 std::lock_guard<std::mutex> lock(mLastAsyncErrorMtx);
1378 return mLastAsyncError.exchange({});
1379 }
1380
1382 auto registerGlasses(const std::shared_ptr<Glasses>& glasses) -> void {
1383 std::lock_guard<std::mutex> lock(mRegisteredGlassesMtx);
1384 mRegisteredGlasses.insert(glasses);
1385 }
1386
1388 auto deregisterGlasses(const std::shared_ptr<Glasses>& glasses) -> void {
1389 std::lock_guard<std::mutex> lock(mRegisteredGlassesMtx);
1390 mRegisteredGlasses.erase(glasses);
1391 }
1392};
1393
1396class Wand {
1397protected:
1398 T5_WandHandle mHandle;
1399 std::shared_ptr<WandStreamHelper> mWandStreamHelper;
1400
1401 friend WandStreamHelper;
1402
1403 friend std::ostream& operator<<(std::ostream& os, std::shared_ptr<Wand> const& instance) {
1404 os << *instance;
1405 return os;
1406 }
1407
1408 friend std::ostream& operator<<(std::ostream& os, Wand const& instance) {
1409 os << "<Wand:" << +instance.mHandle << ">";
1410 return os;
1411 }
1412
1415
1417 : mHandle(handle), mWandStreamHelper(std::move(wandStreamHelper)) {}
1418
1419public:
1422 return mWandStreamHelper->getLatestReport(mHandle);
1423 }
1424
1428 auto sendImpulse(float amplitude, uint16_t duration) const -> Result<void> {
1429 return mWandStreamHelper->sendImpulse(mHandle, amplitude, duration);
1430 }
1431
1433 [[nodiscard]] T5_WandHandle handle() const {
1434 return mHandle;
1435 }
1436};
1437
1447inline auto obtainClient(const std::string& applicationId,
1448 const std::string& applicationVersion,
1449 void* platformContext,
1450 const uint8_t sdkType = 0) -> Result<std::shared_ptr<Client>> {
1451
1452 return Client::create(applicationId, applicationVersion, platformContext, sdkType);
1453}
1454
1461inline auto obtainGlasses(const std::string& identifier, const std::shared_ptr<Client>& client)
1463 return Glasses::create(identifier, client);
1464}
1465
1468 std::chrono::milliseconds pollTimeout)
1470 return std::shared_ptr<WandStreamHelper>(new WandStreamHelper(std::move(glasses), pollTimeout));
1471}
1472
1476 return std::shared_ptr<Wand>(new Wand(handle, std::move(wandStreamHelper)));
1477}
1478
1481 const std::string& displayName,
1482 std::chrono::milliseconds connectionPollInterval)
1484
1486 new GlassesConnectionHelper(std::move(glasses), displayName, connectionPollInterval));
1487}
1488
1492 std::chrono::milliseconds pollInterval)
1494
1496 new ParamChangeHelper(std::move(client), std::move(listener), pollInterval));
1497}
1499
1501
1502} // namespace tiltfive
1503
1505
1508inline std::ostream& operator<<(std::ostream& os, const T5_WandReport& instance) {
1509 // Print the validity flags
1510 os << "[" << (instance.analogValid ? "A" : "_") << (instance.buttonsValid ? "B" : "_")
1511 << (instance.poseValid ? "P" : "_") << "]";
1512
1513 if (instance.analogValid) {
1514 os << "[A: " << std::right << std::fixed << std::setw(10) << instance.stick.x << "x"
1515 << std::right << std::fixed << std::setw(10) << instance.stick.y << " | " << std::right
1516 << std::fixed << std::setw(10) << instance.trigger << "]";
1517 } else {
1518 os << "[A: Invalid]";
1519 }
1520
1521 if (instance.buttonsValid) {
1522 os << "[B: " << (instance.buttons.t5 ? "T" : "_") << (instance.buttons.one ? "1" : "_")
1523 << (instance.buttons.two ? "2" : "_") << (instance.buttons.three ? "3" : "_")
1524 << (instance.buttons.a ? "A" : "_") << (instance.buttons.b ? "B" : "_")
1525 << (instance.buttons.x ? "X" : "_") << (instance.buttons.y ? "Y" : "_") << "]";
1526 } else {
1527 os << "[B: Invalid]";
1528 }
1529
1530 if (instance.poseValid) {
1531 os << "[P: (" << std::right << std::fixed << std::setw(10) << instance.posGrip_GBD.x << ","
1532 << std::right << std::fixed << std::setw(10) << instance.posGrip_GBD.y << ","
1533 << std::right << std::fixed << std::setw(10) << instance.posGrip_GBD.z << ") ("
1534 << std::right << std::fixed << std::setw(10) << instance.rotToWND_GBD.w << ","
1535 << std::right << std::fixed << std::setw(10) << instance.rotToWND_GBD.x << ","
1536 << std::right << std::fixed << std::setw(10) << instance.rotToWND_GBD.y << ","
1537 << std::right << std::fixed << std::setw(10) << instance.rotToWND_GBD.z << ")"
1538 << "]";
1539 }
1540
1541 return os;
1542}
1543
1547 std::string gameboardType;
1548 switch (instance.gameboardType) {
1550 gameboardType = "None";
1551 break;
1553 gameboardType = "LE";
1554 break;
1556 gameboardType = "XE";
1557 break;
1559 gameboardType = "XE (Raised)";
1560 break;
1561 default:
1562 // Shouldn't happen unless there's some bad casting going on elsewhere.
1563 gameboardType = std::string("[Invalid T5_GameboardType : ") +
1564 std::to_string(static_cast<int>(instance.gameboardType)) +
1565 std::string("]");
1566 break;
1567 }
1568
1569 os << "[" << instance.timestampNanos << "| " << gameboardType << " (" << std::right
1570 << std::fixed << std::setw(10) << instance.posGLS_GBD.x << "," << std::right << std::fixed
1571 << std::setw(10) << instance.posGLS_GBD.y << "," << std::right << std::fixed << std::setw(10)
1572 << instance.posGLS_GBD.z << ") (" << std::right << std::fixed << std::setw(10)
1573 << instance.rotToGLS_GBD.w << "," << std::right << std::fixed << std::setw(10)
1574 << instance.rotToGLS_GBD.x << "," << std::right << std::fixed << std::setw(10)
1575 << instance.rotToGLS_GBD.y << "," << std::right << std::fixed << std::setw(10)
1576 << instance.rotToGLS_GBD.z << ")"
1577 << "]";
1578
1579 return os;
1580}
1581
1584inline std::ostream& operator<<(std::ostream& os, const T5_ParamSys& instance) {
1585 switch (instance) {
1587 os << "Service Version";
1588 break;
1589
1591 os << "UI Attention Required";
1592 break;
1593
1594 default:
1595 // Shouldn't happen unless there's some bad casting going on elsewhere.
1596 os << "[Invalid T5_ParamSys : " << static_cast<int>(instance) << "]";
1597 break;
1598 }
1599
1600 return os;
1601}
1602
1606 switch (instance) {
1608 os << "IPD";
1609 break;
1610
1612 os << "Friendly Name";
1613 break;
1614
1615 default:
1616 // Shouldn't happen unless there's some bad casting going on elsewhere.
1617 os << "[Invalid T5_ParamGlasses : " << static_cast<int>(instance) << "]";
1618 break;
1619 }
1620
1621 return os;
1622}
1623
uint32_t T5_Result
Represents an error code that may be returned by the Tilt Five™ API.
Definition: errors.h:47
C++ errors for the Tilt Five™ API.
C++ Templated common return type for the Tilt Five™ API.
C interface definition for the Tilt Five™ API.
#define T5_ERROR_SETTING_UNKNOWN
The requested param is unknown.
Definition: errors.h:93
#define T5_SUCCESS
Success.
Definition: errors.h:54
#define T5_ERROR_OVERFLOW
Buffer overflow.
Definition: errors.h:102
Error
Error codes returned by most functions of return type Result.
Definition: errors.hpp:37
@ kStringOverflow
String overflow.
@ kTimeout
Timeout.
@ kInvalidArgument
Argument(s) are invalid.
@ kUnavailable
Target is unavailable.
@ kSuccess
Success.
@ kOverflow
Buffer overflow.
@ kTargetNotFound
Target (wand) not found.
@ kInternalError
An internal error occurred.
T5_EXPORT T5_Result t5CreateContext(T5_Context *context, const T5_ClientInfo *clientInfo, void *platformContext)
Create a context object.
T5_EXPORT void t5DestroyContext(T5_Context *context)
Destroy a context object.
T5_EXPORT T5_Result t5CreateGlasses(T5_Context context, const char *id, T5_Glasses *glasses)
Create a glasses access object.
T5_EXPORT T5_Result t5GetGameboardSize(T5_Context context, T5_GameboardType gameboardType, T5_GameboardSize *gameboardSize)
Get the gameboard dimensions.
T5_EXPORT void t5DestroyGlasses(T5_Glasses *glasses)
Destroy a glasses object.
T5_EXPORT T5_Result t5ListGlasses(T5_Context context, char *buffer, size_t *bufferSize)
Enumerate all glasses.
T5_EXPORT T5_Result t5GetSystemUtf8Param(T5_Context context, T5_ParamSys param, char *buffer, size_t *bufferSize)
Get a system-wide UTF-8 encoded string parameter.
T5_EXPORT T5_Result t5GetSystemIntegerParam(T5_Context context, T5_ParamSys param, int64_t *value)
Get a system-wide integer parameter.
T5_EXPORT T5_Result t5GetChangedSystemParams(T5_Context context, T5_ParamSys *buffer, uint16_t *count)
Get a system-wide list of changed parameters.
T5_EXPORT T5_Result t5CancelCamImageBuffer(T5_Glasses glasses, uint8_t *buffer)
Clear out the remaining buffers and return all buffers as a vector of camera images.
T5_EXPORT T5_Result t5GetFilledCamImageBuffer(T5_Glasses glasses, T5_CamImage *image)
T5_EXPORT T5_Result t5ReleaseGlasses(T5_Glasses glasses)
T5_EXPORT T5_Result t5ConfigureCameraStreamForGlasses(T5_Glasses glasses, T5_CameraStreamConfig config)
Configure the camera stream.
T5_EXPORT T5_Result t5GetProjection(T5_Glasses glasses, T5_CartesianCoordinateHandedness handedness, T5_DepthRange depthRange, T5_MatrixOrder matrixOrder, double nearPlane, double farPlane, double worldScale, T5_ProjectionInfo *projectionInfo)
Get projection properties for glasses.
T5_EXPORT T5_Result t5SubmitEmptyCamImageBuffer(T5_Glasses glasses, T5_CamImage *image)
Submit an empty image buffer to be filled by the camera frame stream.
T5_EXPORT T5_Result t5GetGlassesConnectionState(T5_Glasses glasses, T5_ConnectionState *connectionState)
Get the exclusivity/connection status of the glasses.
T5_EXPORT T5_Result t5ReserveGlasses(T5_Glasses glasses, const char *displayName)
Reserve glasses for exclusive operations by the client.
T5_EXPORT T5_Result t5EnsureGlassesReady(T5_Glasses glasses)
Ensure that reserved glasses are ready for exclusive operations.
T5_EXPORT T5_Result t5SendFrameToGlasses(T5_Glasses glasses, const T5_FrameInfo *info)
Send a frame to display on the glasses.
T5_EXPORT T5_Result t5InitGlassesGraphicsContext(T5_Glasses glasses, T5_GraphicsApi graphicsApi, void *graphicsContext)
Initialize the graphics context to enable sending rendered frames to the glasses.
T5_EXPORT T5_Result t5GetGlassesPose(T5_Glasses glasses, T5_GlassesPoseUsage usage, T5_GlassesPose *pose)
Get the latest pose of the glasses.
T5_EXPORT T5_Result t5GetGlassesFloatParam(T5_Glasses glasses, T5_WandHandle wand, T5_ParamGlasses param, double *value)
Get a glasses floating point parameter.
T5_EXPORT T5_Result t5GetGlassesUtf8Param(T5_Glasses glasses, T5_WandHandle wand, T5_ParamGlasses param, char *buffer, size_t *bufferSize)
Get a glasses UTF-8 encoded string parameter.
T5_EXPORT T5_Result t5GetChangedGlassesParams(T5_Glasses glasses, T5_ParamGlasses *buffer, uint16_t *count)
Get a glasses-specific list of changed parameters.
T5_EXPORT T5_Result t5ReadWandStreamForGlasses(T5_Glasses glasses, T5_WandStreamEvent *event, uint32_t timeoutMs)
Read from the wands event stream.
T5_EXPORT T5_Result t5ListWandsForGlasses(T5_Glasses glasses, T5_WandHandle *buffer, uint8_t *count)
List available wands connected to this glasses.
T5_EXPORT T5_Result t5SendImpulse(T5_Glasses glasses, T5_WandHandle wand, float amplitude, uint16_t duration)
Send a haptic data buffer to a wand.
T5_EXPORT T5_Result t5ConfigureWandStreamForGlasses(T5_Glasses glasses, const T5_WandStreamConfig *config)
Configure the wand event stream.
auto obtainParamChangeHelper(std::shared_ptr< Client > client, std::weak_ptr< ParamChangeListener > listener, std::chrono::milliseconds pollInterval) -> std::unique_ptr< ParamChangeHelper >
Internal utility function - Do not call directly.
auto obtainGlassesConnectionHelper(std::shared_ptr< Glasses > glasses, const std::string &displayName, std::chrono::milliseconds connectionPollInterval) -> std::unique_ptr< GlassesConnectionHelper >
Internal utility function - Do not call directly.
auto obtainClient(const std::string &applicationId, const std::string &applicationVersion, void *platformContext, const uint8_t sdkType=0) -> Result< std::shared_ptr< Client > >
Obtain an instance of the Tilt Five™ API client.
auto obtainWandStreamHelper(std::shared_ptr< Glasses > glasses, std::chrono::milliseconds pollTimeout) -> std::shared_ptr< WandStreamHelper >
Internal utility function - Do not call directly.
auto obtainGlasses(const std::string &identifier, const std::shared_ptr< Client > &client) -> Result< std::shared_ptr< Glasses > >
Obtain an instance of the Tilt Five™ Glasses.
auto obtainWand(T5_WandHandle handle, std::shared_ptr< WandStreamHelper > wandStreamHelper) -> std::shared_ptr< Wand >
Internal utility function - Do not call directly.
ConnectionState
Represents the exclusivity connection state of glasses.
@ kReserved
Glasses are reserved for exclusive use by this client.
@ kConnected
Glasses are connected for exclusive use by this client.
@ kDisconnected
Glasses were previously connected for exclusive use, but have now disconnected.
@ kNotExclusivelyConnected
Glasses have not been connected for exclusive use. They may still be connected to the host.
std::ostream & operator<<(std::ostream &os, const T5_WandReport &instance)
Support for writing T5_WandReport to an std::ostream.
#define T5_MAX_STRING_PARAM_LEN
The maximum number of characters allowed for string values.
Definition: types.h:38
T5_ConnectionState
Glasses connection state.
Definition: types.h:302
T5_MatrixOrder
Matrix order.
Definition: types.h:104
T5_ParamGlasses
Possible parameters that can be retrieved for glasses.
Definition: types.h:609
uint8_t T5_WandHandle
Opaque handle used with wands.
Definition: types.h:140
T5_DepthRange
Z Depth range.
Definition: types.h:110
struct T5_ContextImpl * T5_Context
Opaque handle used with system-wide functions.
Definition: types.h:128
T5_GraphicsApi
Graphics API types.
Definition: types.h:143
T5_ParamSys
Possible parameters that can be retrieved with System-wide parameters.
Definition: types.h:619
T5_GameboardType
Possible gameboard types.
Definition: types.h:247
struct T5_GlassesImpl * T5_Glasses
Opaque handle used with glasses.
Definition: types.h:134
T5_GlassesPoseUsage
Glasses pose usage indicator.
Definition: types.h:317
T5_CartesianCoordinateHandedness
Handedness of a cartesian coordinate system.
Definition: types.h:119
@ kT5_ConnectionState_Disconnected
Glasses were previously exclusively connected, but the device has disconnected.
Definition: types.h:313
@ kT5_ConnectionState_ExclusiveConnection
Glasses are connected for exclusive use.
Definition: types.h:304
@ kT5_ConnectionState_NotExclusivelyConnected
Glasses have not been exclusively connected or reserved.
Definition: types.h:310
@ kT5_ConnectionState_ExclusiveReservation
Glasses are reserved for exclusive use.
Definition: types.h:307
@ kT5_ParamGlasses_Float_IPD
Interpupillary distance - Float, millimeters
Definition: types.h:612
@ kT5_ParamGlasses_UTF8_FriendlyName
User-facing name of the glasses - UTF8.
Definition: types.h:615
@ kT5_ParamSys_Integer_CPL_AttRequired
Non-zero if the control panel requires user interaction (E.g. Important firmware update) - Integer,...
Definition: types.h:625
@ kT5_ParamSys_UTF8_Service_Version
Version of the service software - UTF8.
Definition: types.h:621
@ kT5_GameboardType_LE
An LE gameboard.
Definition: types.h:252
@ kT5_GameboardType_XE
An XE gameboard, flap laid flat.
Definition: types.h:255
@ kT5_GameboardType_None
No gameboard.
Definition: types.h:249
@ kT5_GameboardType_XE_Raised
An XE gameboard, flap raised at an angle on the kickstand.
Definition: types.h:258
@ kT5_WandStreamEventType_Connect
Wand connected.
Definition: types.h:511
@ kT5_WandStreamEventType_Disconnect
Wand disconnected.
Definition: types.h:514
@ kT5_WandStreamEventType_Report
Wand report (Pose, Buttons, Trigger, Stick, Battery)
Definition: types.h:520
@ kT5_WandStreamEventType_Desync
Stream has desynchronized.
Definition: types.h:517
constexpr pair(piecewise_construct_t, tuple< _Args1... >, tuple< _Args2... >)
size_t start() const
valarray< size_t > size() const
constexpr _OutputIterator transform(_InputIterator __first, _InputIterator __last, _OutputIterator __result, _UnaryOperation __unary_op)
constexpr _OI move(_II __first, _II __last, _OI __result)
void lock(_L1 &__l1, _L2 &__l2, _L3 &... __l3)
insert_iterator< _Container > inserter(_Container &__x, typename _Container::iterator __i)
basic_string< char > string
constexpr auto empty(const _Container &__cont) noexcept(noexcept(__cont.empty())) -> decltype(__cont.empty())
void sleep_for(const chrono::duration< _Rep, _Period > &__rtime)
Templated return type with support for error conditions.
Definition: result.hpp:37
Specialization of tiltfive::Result for functions with 'no return'.
Definition: result.hpp:199
Client for communicating with the Tilt Five™ API.
auto getServiceVersion() -> Result< std::string >
Get the version of the Tilt Five™ service.
auto getGameboardSize(T5_GameboardType type) -> Result< T5_GameboardSize >
Obtain the dimensions of the gameboard.
auto getChangedParams() -> Result< std::vector< T5_ParamSys > >
Get a system-wide list of changed parameters.
friend auto obtainClient(const std::string &applicationId, const std::string &applicationVersion, void *platformContext, const uint8_t sdkType) -> Result< std::shared_ptr< Client > >
Obtain an instance of the Tilt Five™ API client.
auto isTiltFiveUiRequestingAttention() -> Result< bool >
Check if the Tilt Five™ UI wants the users attention.
auto listGlasses() -> Result< std::vector< std::string > >
Enumerate glasses.
auto getHandle() const -> T5_Context
Obtain the C handle for this client.
auto createParamChangedHelper(std::weak_ptr< ParamChangeListener > listener, std::chrono::milliseconds pollInterval=std::chrono::milliseconds(100)) -> std::unique_ptr< ParamChangeHelper >
Create a ParamChangeHelper.
Represents an instance of Tilt Five™ glasses.
auto initGraphicsContext(T5_GraphicsApi graphicsApi, void *graphicsContext) -> Result< void >
Initialize the glasses for graphics operations.
auto getIpd() -> Result< double >
Get the current IPD setting for this glasses.
auto getHandle() const -> T5_Glasses
Obtain the C handle for this glasses object.
auto getFilledCamImageBuffer() -> Result< T5_CamImage >
Get the latest camera image for this glasses.
auto getChangedParams() -> Result< std::vector< T5_ParamGlasses > >
Get a system-wide list of changed parameters.
auto release() -> Result< void >
Release previously-reserved glasses.
auto submitEmptyCamImageBuffer(T5_CamImage *imgBuffer) -> Result< void >
Submit a buffer to the camera image stream to hold Camera Frame data.
auto sendFrame(const T5_FrameInfo *const frameInfo) -> Result< void >
Send a frame to display on the glasses.
auto configureWandStream(const T5_WandStreamConfig *const config) -> Result< void >
Configure the wand event stream.
auto getLatestGlassesPose(T5_GlassesPoseUsage usage) -> Result< T5_GlassesPose >
Get the latest pose for this glasses.
friend auto obtainGlasses(const std::string &identifier, const std::shared_ptr< Client > &client) -> Result< std::shared_ptr< Glasses > >
Obtain an instance of the Tilt Five™ Glasses.
auto getProjectionInfo(T5_CartesianCoordinateHandedness handedness, T5_DepthRange depthRange, T5_MatrixOrder matrixOrder, double nearPlane, double farPlane, double worldScale) -> Result< T5_ProjectionInfo >
Get projection properties for glasses.
auto cancelCamImageBuffer(uint8_t *buffer) -> Result< void >
Cancel an image buffer in use by the service for freeing.
auto sendImpulse(T5_WandHandle handle, float amplitude, uint16_t duration) -> Result< void >
Send a Haptic Impulse to a wand.
auto readWandStream(std::chrono::milliseconds timeout=std::chrono::milliseconds(100)) -> Result< T5_WandStreamEvent >
Read from the wands event stream.
auto reserve(const std::string &displayName) -> Result< void >
Reserve glasses for exclusive operations by the client.
auto configureCameraStream(T5_CameraStreamConfig config) -> Result< void >
Configure the wand event stream.
auto getConnectionState() -> Result< ConnectionState >
Get the current connection state of the glasses.
auto listWands() -> Result< std::vector< T5_WandHandle > >
Obtain a list of connected wands.
auto createConnectionHelper(const std::string &displayName, std::chrono::milliseconds connectionPollInterval=std::chrono::milliseconds(100)) -> std::unique_ptr< GlassesConnectionHelper >
Create a GlassesConnectionHelper.
auto getWandStreamHelper() -> std::shared_ptr< WandStreamHelper >
Get a WandStreamHelper.
auto getIdentifier() const -> std::string
Obtain a hardware (not user facing) identifier for the glasses.
auto ensureReady() -> Result< void >
Ensure that reserved glasses are ready for exclusive operations.
auto getFriendlyName() -> Result< std::string >
Get the user-facing name of the glasses.
Utility class to automate the Glasses exclusive connection process.
auto awaitConnection(const std::chrono::milliseconds timeout) -> Result< void >
Block until a connection is established or timed out.
auto awaitConnection() -> Result< void >
Block until a connection is established.
auto glasses() -> Glasses &
Obtain a reference to the wrapped tiltfive::Glasses object.
friend auto obtainGlassesConnectionHelper(std::shared_ptr< Glasses > glasses, const std::string &displayName, std::chrono::milliseconds connectionPollInterval) -> std::unique_ptr< GlassesConnectionHelper >
Internal utility function - Do not call directly.
auto consumeLastAsyncError() -> std::error_code
Obtain and consume the last asynchronous error.
Utility class to manage the wand stream.
auto listWands() -> Result< std::vector< std::shared_ptr< Wand > > >
Obtain a list of tiltfive::Wand.
friend auto obtainWandStreamHelper(std::shared_ptr< Glasses > glasses, std::chrono::milliseconds pollTimeout) -> std::shared_ptr< WandStreamHelper >
Internal utility function - Do not call directly.
auto consumeLastAsyncError() -> std::error_code
Obtain and consume the last asynchronous error.
auto sendImpulse(const T5_WandHandle &handle, float amplitude, uint16_t duration) -> Result< void >
Send a haptic impulse to a specific tiltfive::Wand.
Virtual base class for use with tiltfive::ParamChangeHelper.
virtual auto onSysParamChanged(const std::vector< T5_ParamSys > &changed) -> void=0
Called by a tiltfive::ParamChangeHelper when system-wide (T5_ParamSys) params have changed.
virtual auto onGlassesParamChanged(const std::shared_ptr< Glasses > &glasses, const std::vector< T5_ParamGlasses > &changed) -> void=0
Called by a tiltfive::ParamChangeHelper when glasses specific (T5_ParamGlasses) params have changed.
Utility class to track changes to parameters Using ParamChangeHelper.
auto registerGlasses(const std::shared_ptr< Glasses > &glasses) -> void
Register glasses for parameter change tracking.
friend auto obtainParamChangeHelper(std::shared_ptr< Client > client, std::weak_ptr< ParamChangeListener > listener, std::chrono::milliseconds pollInterval) -> std::unique_ptr< ParamChangeHelper >
Internal utility function - Do not call directly.
auto deregisterGlasses(const std::shared_ptr< Glasses > &glasses) -> void
De-register glasses for parameter change tracking.
auto consumeLastAsyncError() -> std::error_code
Obtain and consume the last asynchronous error.
Represents an abstract instance of a Tilt Five™ wand Used with tiltfive::WandStreamHelper.
T5_WandHandle handle() const
Get the wand handle.
friend auto obtainWand(T5_WandHandle handle, std::shared_ptr< WandStreamHelper > wandStreamHelper) -> std::shared_ptr< Wand >
Internal utility function - Do not call directly.
auto getLatestReport() const -> Result< T5_WandReport >
Get the latest wand report for this wand.
auto sendImpulse(float amplitude, uint16_t duration) const -> Result< void >
Send an impulse to this wand.
Physical dimensions of a gameboard.
Definition: types.h:262
Client provided information for use with t5CreateGlasses()
Definition: types.h:285
uint8_t sdkType
The SDK type.
Definition: types.h:295
const char * applicationId
The application ID.
Definition: types.h:287
const char * applicationVersion
The application version.
Definition: types.h:290
Glasses pose information to be retrieved with t5GetGlassesPose()
Definition: types.h:348
uint64_t timestampNanos
The timestamp of the pose.
Definition: types.h:350
T5_Vec3 posGLS_GBD
The position of the origin of the GLS (glasses) frame relative to the GBD (gameboard) frame.
Definition: types.h:354
T5_Quat rotToGLS_GBD
The rotation that transforms points in the GBD (gameboard) frame orientation to the GLS (glasses) fra...
Definition: types.h:358
T5_GameboardType gameboardType
The type of gameboard visible for this pose.
Definition: types.h:361
Camera stream configuration.
Definition: types.h:365
Render information to be used with t5SendFrameToGlasses()
Definition: types.h:374
Camera Frame information to be retrieved with t5GetFilledCamImageBuffer()
Definition: types.h:466
Wand stream configuration.
Definition: types.h:502
Contains wand related information (Pose, Buttons, Trigger, Stick, Battery)
Definition: types.h:536
bool poseValid
Validity of pose parameters. True = valid.
Definition: types.h:550
T5_Quat rotToWND_GBD
WND/GBD rotation unit quaternion.
Definition: types.h:578
T5_Vec3 posGrip_GBD
Position (Grip) - Vector3f.
Definition: types.h:587
float trigger
Trigger - Analog, Range [0.0 - 1.0], 1.0 = Fully depressed.
Definition: types.h:553
bool analogValid
Validity of analog parameters. True = valid.
Definition: types.h:541
bool buttonsValid
Validity of button parameters. True = valid.
Definition: types.h:547
T5_Vec2 stick
Stick (X/Y) - Analog, Range [-1.0 - 1.0], 0 = Centered, 1.0 = Top/Right.
Definition: types.h:556
struct T5_WandReport::@7 buttons
Buttons state. True = Pressed.
Represents an event from the wand stream.
Definition: types.h:594
Projection parameters.
Definition: types.h:629
const char * c_str() const noexcept
size_type length() const noexcept
void insert(_InputIterator __first, _InputIterator __last)
const_iterator end() const noexcept
const_iterator cend() const noexcept
size_type erase(const key_type &__x)
iterator find(const key_type &__x)
const_iterator cbegin() const noexcept
iterator end() const noexcept
void insert(_InputIterator __first, _InputIterator __last)
size_type erase(const key_type &__x)
void resize(size_type __new_size)
void push_back(const value_type &__x)
void reserve(size_type __n)
_Tp * data() noexcept
size_type size() const noexcept
pointer get() const noexcept