mirror of
https://thingvellir.net/git/overte
synced 2025-03-27 23:52:03 +01:00
Merge pull request #76 from daleglass-overte/fix_build_warnings
Fix lots of build warnings
This commit is contained in:
commit
95ebe6bab0
50 changed files with 513 additions and 327 deletions
|
@ -133,6 +133,47 @@ if( NOT WIN32 )
|
|||
message($ENV{CXXFLAGS})
|
||||
endif()
|
||||
|
||||
# OVERTE_WARNINGS
|
||||
#
|
||||
# Here we add the ability to whitelist warnings we've determined we can't fix, or are safe to
|
||||
# ignore for one reason or another. The way of doing so is compiler-specific, so we deal with
|
||||
# the detection of that in cmake, and just pass it down to the code from here.
|
||||
#
|
||||
# We can also treat warnings as errors. Without the whitelist this will almost certainly lead
|
||||
# to a build failure.
|
||||
|
||||
if(NOT DEFINED OVERTE_WARNINGS_WHITELIST)
|
||||
set(OVERTE_WARNINGS_WHITELIST true CACHE BOOL "Whitelist some warnings we can't currently fix")
|
||||
endif()
|
||||
|
||||
if(NOT DEFINED OVERTE_WARNINGS_AS_ERRORS)
|
||||
set(OVERTE_WARNINGS_AS_ERRORS false CACHE BOOL "Count warnings as errors")
|
||||
endif()
|
||||
|
||||
if(OVERTE_WARNINGS_WHITELIST)
|
||||
if (NOT WIN32)
|
||||
set(CMAKE_PLATFORM_INFO_DIR "${CMAKE_CURRENT_BINARY_DIR}")
|
||||
include(CMakeDetermineCXXCompiler)
|
||||
endif()
|
||||
|
||||
if (CMAKE_CXX_COMPILER_ID MATCHES "GNU")
|
||||
message("GCC compiler detected, suppressing some unsolvable warnings.")
|
||||
add_compile_definitions(OVERTE_WARNINGS_WHITELIST_GCC)
|
||||
elseif(CMAKE_CXX_COMPILER_ID MATCHES "Clang")
|
||||
message("Clang compiler detected, suppressing some unsolvable warnings.")
|
||||
add_compile_definitions(OVERTE_WARNINGS_WHITELIST_CLANG)
|
||||
elseif(CMAKE_CXX_COMPILER_ID MATCHES "MSVC" OR (CMAKE_CXX_COMPILER_ID MATCHES "" AND WIN32))
|
||||
message("Microsoft Visual Studio compiler detected, suppressing some unsolvable warnings.")
|
||||
add_compile_definitions(OVERTE_WARNINGS_WHITELIST_MSVC)
|
||||
else()
|
||||
message("We don't know yet how to whitelist warnings for ${CMAKE_CXX_COMPILER_ID}")
|
||||
endif()
|
||||
endif()
|
||||
|
||||
if(OVERTE_WARNINGS_AS_ERRORS)
|
||||
set(ENV{CXXFLAGS} "$ENV{CXXFLAGS} -Werror")
|
||||
set(ENV{CFLAGS} "$ENV{CXXFLAGS} -Werror")
|
||||
endif()
|
||||
|
||||
|
||||
if (HIFI_ANDROID)
|
||||
|
|
|
@ -38,6 +38,7 @@
|
|||
|
||||
#include <QtQuick/QQuickWindow>
|
||||
#include <memory>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
void addAvatarEntities(const QVariantList& avatarEntities) {
|
||||
auto nodeList = DependencyManager::get<NodeList>();
|
||||
|
@ -167,7 +168,10 @@ void AvatarBookmarks::updateAvatarEntities(const QVariantList &avatarEntities) {
|
|||
if (propertiesItr != avatarEntityVariantMap.end()) {
|
||||
EntityItemID id = idItr.value().toUuid();
|
||||
newAvatarEntities.insert(id);
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// We're not transitioning to CBOR yet, since it'd break the protocol.
|
||||
myAvatar->updateAvatarEntity(id, QJsonDocument::fromVariant(propertiesItr.value()).toBinaryData());
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -186,7 +190,7 @@ void AvatarBookmarks::updateAvatarEntities(const QVariantList &avatarEntities) {
|
|||
* @property {number} version - The version of the bookmark data format.
|
||||
* @property {string} avatarUrl - The URL of the avatar model.
|
||||
* @property {number} avatarScale - The target scale of the avatar.
|
||||
* @property {Array<Object<"properties",Entities.EntityProperties>>} [avatarEntites] - The avatar entities included with the
|
||||
* @property {Array<Object<"properties",Entities.EntityProperties>>} [avatarEntites] - The avatar entities included with the
|
||||
* bookmark.
|
||||
* @property {AttachmentData[]} [attachments] - The attachments included with the bookmark.
|
||||
* <p class="important">Deprecated: Use avatar entities instead.
|
||||
|
|
|
@ -115,7 +115,7 @@ bool Bookmarks::sortOrder(QAction* a, QAction* b) {
|
|||
|
||||
void Bookmarks::sortActions(Menu* menubar, MenuWrapper* menu) {
|
||||
QList<QAction*> actions = menu->actions();
|
||||
qSort(actions.begin(), actions.end(), sortOrder);
|
||||
std::sort(actions.begin(), actions.end(), sortOrder);
|
||||
for (QAction* action : menu->actions()) {
|
||||
menu->removeAction(action);
|
||||
}
|
||||
|
|
|
@ -30,6 +30,7 @@ EntityDynamicPointer interfaceDynamicFactory(EntityDynamicType type, const QUuid
|
|||
return std::make_shared<ObjectActionOffset>(id, ownerEntity);
|
||||
case DYNAMIC_TYPE_SPRING:
|
||||
qDebug() << "The 'spring' Action is deprecated. Replacing with 'tractor' Action.";
|
||||
/* fall-thru */
|
||||
case DYNAMIC_TYPE_TRACTOR:
|
||||
return std::make_shared<ObjectActionTractor>(id, ownerEntity);
|
||||
case DYNAMIC_TYPE_HOLD:
|
||||
|
|
|
@ -237,7 +237,7 @@ void AvatarDoctor::startDiagnosing() {
|
|||
jointValues << jointVariant.toString();
|
||||
}
|
||||
|
||||
const auto& uniqueJointValues = jointValues.toSet();
|
||||
const auto& uniqueJointValues = QSet<QString>(jointValues.begin(), jointValues.end());
|
||||
for (const auto& jointName: uniqueJointValues) {
|
||||
if (jointValues.count(jointName) > 1) {
|
||||
addError(tr("%1 is mapped multiple times.").arg(jointName), "mapped-multiple-times");
|
||||
|
|
|
@ -23,12 +23,18 @@
|
|||
|
||||
#include <mutex>
|
||||
#include "ui/TabletScriptingInterface.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
std::once_flag setupQMLTypesFlag;
|
||||
AvatarPackager::AvatarPackager() {
|
||||
std::call_once(setupQMLTypesFlag, []() {
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
|
||||
qmlRegisterType<FST>();
|
||||
qmlRegisterType<MarketplaceItemUploader>();
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
qRegisterMetaType<AvatarPackager*>();
|
||||
qRegisterMetaType<AvatarProject*>();
|
||||
qRegisterMetaType<AvatarDoctor*>();
|
||||
|
|
|
@ -67,6 +67,7 @@
|
|||
#include "EntityEditPacketSender.h"
|
||||
#include "MovingEntitiesOperator.h"
|
||||
#include "SceneScriptingInterface.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
using namespace std;
|
||||
|
||||
|
@ -1146,11 +1147,11 @@ void MyAvatar::updateSensorToWorldMatrix() {
|
|||
_sensorToWorldMatrixCache.set(_sensorToWorldMatrix);
|
||||
updateJointFromController(controller::Action::LEFT_HAND, _controllerLeftHandMatrixCache);
|
||||
updateJointFromController(controller::Action::RIGHT_HAND, _controllerRightHandMatrixCache);
|
||||
|
||||
|
||||
if (hasSensorToWorldScaleChanged) {
|
||||
emit sensorToWorldScaleChanged(sensorToWorldScale);
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
glm::vec3 MyAvatar::getLeftHandPosition() const {
|
||||
|
@ -1601,7 +1602,7 @@ bool MyAvatar::hasAvatarEntities() const {
|
|||
void MyAvatar::handleCanRezAvatarEntitiesChanged(bool canRezAvatarEntities) {
|
||||
if (canRezAvatarEntities) {
|
||||
// Start displaying avatar entities.
|
||||
// Allow time for the avatar mixer to be updated with the user's permissions so that it doesn't discard the avatar
|
||||
// Allow time for the avatar mixer to be updated with the user's permissions so that it doesn't discard the avatar
|
||||
// entities sent. In theory, typical worst case would be Interface running on same PC as server and the timings of
|
||||
// Interface and the avatar mixer sending DomainListRequest to the domain server being such that the avatar sends its
|
||||
// DomainListRequest and gets its DomainList response DOMAIN_SERVER_CHECK_IN_MSECS after Interface does. Allow extra
|
||||
|
@ -1733,7 +1734,7 @@ void MyAvatar::handleChangedAvatarEntityData() {
|
|||
}
|
||||
});
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
// CHANGE real entities
|
||||
|
@ -2017,7 +2018,10 @@ void MyAvatar::updateAvatarEntity(const QUuid& entityID, const QByteArray& entit
|
|||
|
||||
bool changed = false;
|
||||
_avatarEntitiesLock.withWriteLock([&] {
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// We're not transitioning to CBOR yet, since it'd break the protocol.
|
||||
auto data = QJsonDocument::fromBinaryData(entityData);
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
if (data.isEmpty() || data.isNull() || !data.isObject() || data.object().isEmpty()) {
|
||||
qDebug() << "ERROR! Trying to update with invalid avatar entity data. Skipping." << data;
|
||||
} else {
|
||||
|
@ -2589,7 +2593,7 @@ void MyAvatar::setSkeletonModelURL(const QUrl& skeletonModelURL) {
|
|||
}
|
||||
QObject::disconnect(*skeletonConnection);
|
||||
});
|
||||
|
||||
|
||||
saveAvatarUrl();
|
||||
emit skeletonChanged();
|
||||
}
|
||||
|
@ -2968,9 +2972,9 @@ void MyAvatar::attach(const QString& modelURL, const QString& jointName,
|
|||
bool allowDuplicates, bool useSaved) {
|
||||
if (QThread::currentThread() != thread()) {
|
||||
BLOCKING_INVOKE_METHOD(this, "attach",
|
||||
Q_ARG(const QString&, modelURL),
|
||||
Q_ARG(const QString&, jointName),
|
||||
Q_ARG(const glm::vec3&, translation),
|
||||
Q_ARG(const QString&, modelURL),
|
||||
Q_ARG(const QString&, jointName),
|
||||
Q_ARG(const glm::vec3&, translation),
|
||||
Q_ARG(const glm::quat&, rotation),
|
||||
Q_ARG(float, scale),
|
||||
Q_ARG(bool, isSoft),
|
||||
|
@ -3068,7 +3072,7 @@ void MyAvatar::setAttachmentData(const QVector<AttachmentData>& attachmentData)
|
|||
emit attachmentsChanged();
|
||||
}
|
||||
|
||||
QVector<AttachmentData> MyAvatar::getAttachmentData() const {
|
||||
QVector<AttachmentData> MyAvatar::getAttachmentData() const {
|
||||
QVector<AttachmentData> attachmentData;
|
||||
|
||||
if (!DependencyManager::get<NodeList>()->getThisNodeCanRezAvatarEntities()) {
|
||||
|
@ -3124,7 +3128,7 @@ void MyAvatar::setAttachmentsVariant(const QVariantList& variant) {
|
|||
newAttachments.append(attachment);
|
||||
}
|
||||
}
|
||||
setAttachmentData(newAttachments);
|
||||
setAttachmentData(newAttachments);
|
||||
}
|
||||
|
||||
bool MyAvatar::findAvatarEntity(const QString& modelURL, const QString& jointName, QUuid& entityID) {
|
||||
|
@ -3515,7 +3519,7 @@ void MyAvatar::updateOrientation(float deltaTime) {
|
|||
// Smoothly rotate body with arrow keys
|
||||
float targetSpeed = getDriveKey(YAW) * _yawSpeed;
|
||||
CameraMode mode = qApp->getCamera().getMode();
|
||||
bool computeLookAt = isReadyForPhysics() && !qApp->isHMDMode() &&
|
||||
bool computeLookAt = isReadyForPhysics() && !qApp->isHMDMode() &&
|
||||
(mode == CAMERA_MODE_FIRST_PERSON_LOOK_AT || mode == CAMERA_MODE_LOOK_AT || mode == CAMERA_MODE_SELFIE);
|
||||
bool smoothCameraYaw = computeLookAt && mode != CAMERA_MODE_FIRST_PERSON_LOOK_AT;
|
||||
if (smoothCameraYaw) {
|
||||
|
@ -3815,16 +3819,16 @@ void MyAvatar::updateOrientation(float deltaTime) {
|
|||
if (_firstPersonSteadyHeadTimer < FIRST_PERSON_RECENTER_SECONDS) {
|
||||
if (_firstPersonSteadyHeadTimer > 0.0f) {
|
||||
_firstPersonSteadyHeadTimer += deltaTime;
|
||||
}
|
||||
}
|
||||
} else {
|
||||
_shouldTurnToFaceCamera = true;
|
||||
_firstPersonSteadyHeadTimer = 0.0f;
|
||||
}
|
||||
}
|
||||
} else {
|
||||
_firstPersonSteadyHeadTimer = deltaTime;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
} else {
|
||||
head->setBaseYaw(0.0f);
|
||||
head->setBasePitch(getHead()->getBasePitch() + getDriveKey(PITCH) * _pitchSpeed * deltaTime
|
||||
|
@ -3902,7 +3906,7 @@ glm::vec3 MyAvatar::scaleMotorSpeed(const glm::vec3 forward, const glm::vec3 rig
|
|||
zSpeed != 0.0f && xSpeed != 0.0f && !isFlying()){
|
||||
direction = (zSpeed * forward);
|
||||
}
|
||||
|
||||
|
||||
auto length = glm::length(direction);
|
||||
if (length > EPSILON) {
|
||||
direction /= length;
|
||||
|
@ -3914,8 +3918,6 @@ glm::vec3 MyAvatar::scaleMotorSpeed(const glm::vec3 forward, const glm::vec3 rig
|
|||
|
||||
// Calculate the world-space motor velocity for the avatar.
|
||||
glm::vec3 MyAvatar::calculateScaledDirection() {
|
||||
CharacterController::State state = _characterController.getState();
|
||||
|
||||
// compute action input
|
||||
// Determine if we're head or controller relative...
|
||||
glm::vec3 forward, right;
|
||||
|
@ -5453,7 +5455,7 @@ void MyAvatar::setIsInSittingState(bool isSitting) {
|
|||
// In updateSitStandState, we only change state if this timer is above a threshold (STANDING_TIMEOUT, SITTING_TIMEOUT).
|
||||
// This avoids changing state if the user sits and stands up quickly.
|
||||
_sitStandStateTimer = 0.0f;
|
||||
|
||||
|
||||
_isInSittingState.set(isSitting);
|
||||
setResetMode(true);
|
||||
setSitStandStateChange(true);
|
||||
|
@ -5541,7 +5543,7 @@ void MyAvatar::setWalkBackwardSpeed(float value) {
|
|||
changed = false;
|
||||
break;
|
||||
}
|
||||
|
||||
|
||||
if (changed && prevVal != value) {
|
||||
emit walkBackwardSpeedChanged(value);
|
||||
}
|
||||
|
@ -5736,7 +5738,8 @@ void MyAvatar::FollowHelper::deactivate() {
|
|||
}
|
||||
|
||||
void MyAvatar::FollowHelper::deactivate(CharacterController::FollowType type) {
|
||||
assert(static_cast<int>(type) >= 0 && type < CharacterController::FollowType::Count);
|
||||
int int_type = static_cast<int>(type);
|
||||
assert(int_type >= 0 && int_type < static_cast<int>(CharacterController::FollowType::Count));
|
||||
_timeRemaining[(int)type] = 0.0f;
|
||||
}
|
||||
|
||||
|
@ -5744,14 +5747,16 @@ void MyAvatar::FollowHelper::deactivate(CharacterController::FollowType type) {
|
|||
// eg. activate(FollowType::Rotation, true) snaps the FollowHelper's rotation immediately
|
||||
// to the rotation of its _followDesiredBodyTransform.
|
||||
void MyAvatar::FollowHelper::activate(CharacterController::FollowType type, const bool snapFollow) {
|
||||
assert(static_cast<int>(type) >= 0 && type < CharacterController::FollowType::Count);
|
||||
int int_type = static_cast<int>(type);
|
||||
assert(int_type >= 0 && int_type < static_cast<int>(CharacterController::FollowType::Count));
|
||||
|
||||
// TODO: Perhaps, the follow time should be proportional to the displacement.
|
||||
_timeRemaining[(int)type] = snapFollow ? CharacterController::FOLLOW_TIME_IMMEDIATE_SNAP : FOLLOW_TIME;
|
||||
}
|
||||
|
||||
bool MyAvatar::FollowHelper::isActive(CharacterController::FollowType type) const {
|
||||
assert(static_cast<int>(type) >= 0 && type < CharacterController::FollowType::Count);
|
||||
int int_type = static_cast<int>(type);
|
||||
assert(int_type >= 0 && int_type < static_cast<int>(CharacterController::FollowType::Count));
|
||||
return _timeRemaining[(int)type] > 0.0f;
|
||||
}
|
||||
|
||||
|
@ -5863,7 +5868,7 @@ bool MyAvatar::FollowHelper::shouldActivateHorizontal_userStanding(
|
|||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
if (!stepDetected) {
|
||||
glm::vec3 defaultHipsPosition = myAvatar.getAbsoluteDefaultJointTranslationInObjectFrame(myAvatar.getJointIndex("Hips"));
|
||||
glm::vec3 defaultHeadPosition = myAvatar.getAbsoluteDefaultJointTranslationInObjectFrame(myAvatar.getJointIndex("Head"));
|
||||
|
@ -6697,15 +6702,15 @@ void MyAvatar::useFlow(bool isActive, bool isCollidable, const QVariantMap& phys
|
|||
/*@jsdoc
|
||||
* Flow options currently used in flow simulation.
|
||||
* @typedef {object} MyAvatar.FlowData
|
||||
* @property {boolean} initialized - <code>true</code> if flow has been initialized for the current avatar, <code>false</code>
|
||||
* @property {boolean} initialized - <code>true</code> if flow has been initialized for the current avatar, <code>false</code>
|
||||
* if it hasn't.
|
||||
* @property {boolean} active - <code>true</code> if flow is enabled, <code>false</code> if it isn't.
|
||||
* @property {boolean} colliding - <code>true</code> if collisions are enabled, <code>false</code> if they aren't.
|
||||
* @property {Object<GroupName, MyAvatar.FlowPhysicsData>} physicsData - The physics configuration for each group of joints
|
||||
* @property {Object<GroupName, MyAvatar.FlowPhysicsData>} physicsData - The physics configuration for each group of joints
|
||||
* that has been configured.
|
||||
* @property {Object<JointName, MyAvatar.FlowCollisionsData>} collisions - The collisions configuration for each joint that
|
||||
* @property {Object<JointName, MyAvatar.FlowCollisionsData>} collisions - The collisions configuration for each joint that
|
||||
* has collisions configured.
|
||||
* @property {Object<ThreadName, number[]>} threads - The threads that have been configured, with the first joint's name as the
|
||||
* @property {Object<ThreadName, number[]>} threads - The threads that have been configured, with the first joint's name as the
|
||||
* <code>ThreadName</code> and value as an array of the indexes of all the joints in the thread.
|
||||
*/
|
||||
/*@jsdoc
|
||||
|
@ -6756,7 +6761,7 @@ QVariantMap MyAvatar::getFlowData() {
|
|||
}
|
||||
groupJointsMap[groupName].push_back(joint.second.getIndex());
|
||||
}
|
||||
}
|
||||
}
|
||||
for (auto &group : groups) {
|
||||
QVariantMap settingsObject;
|
||||
QString groupName = group.first;
|
||||
|
|
|
@ -40,7 +40,12 @@
|
|||
#include "Ledger.h"
|
||||
#include "ui/SecurityImageProvider.h"
|
||||
#include "scripting/HMDScriptingInterface.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN;
|
||||
// We're ignoring deprecated warnings in this entire file, since it's pretty much
|
||||
// entirely obsolete anyway, and probably safe to remove. But until that decision
|
||||
// is taken, we'll get the OpenSSL annoyances out of the way.
|
||||
namespace {
|
||||
const char* KEY_FILE = "hifikey";
|
||||
const char* INSTRUCTIONS_FILE = "backup_instructions.html";
|
||||
|
@ -950,3 +955,6 @@ void Wallet::getWalletStatus() {
|
|||
return;
|
||||
}
|
||||
}
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
|
|
|
@ -22,6 +22,7 @@
|
|||
#include <NodeList.h>
|
||||
#include <OffscreenUi.h>
|
||||
#include <UserActivityLogger.h>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
static const int AUTO_REFRESH_INTERVAL = 1000;
|
||||
|
||||
|
@ -167,7 +168,11 @@ void AssetMappingsScriptingInterface::getAllMappings(QJSValue callback) {
|
|||
|
||||
connect(request, &GetAllMappingsRequest::finished, this, [callback](GetAllMappingsRequest* request) mutable {
|
||||
auto mappings = request->getMappings();
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Still using QScriptEngine
|
||||
auto map = callback.engine()->newObject();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
for (auto& kv : mappings ) {
|
||||
map.setProperty(kv.first, kv.second.hash);
|
||||
|
|
|
@ -22,6 +22,7 @@
|
|||
#include <QString>
|
||||
#include <QTime>
|
||||
#include <QUrl>
|
||||
#include <QRandomGenerator>
|
||||
|
||||
#include "ScriptEngineLogging.h"
|
||||
|
||||
|
@ -29,7 +30,7 @@ const QString LIST_POLY_URL = "https://poly.googleapis.com/v1/assets?";
|
|||
const QString GET_POLY_URL = "https://poly.googleapis.com/v1/assets/model?";
|
||||
|
||||
const QStringList VALID_FORMATS = QStringList() << "BLOCKS" << "FBX" << "GLTF" << "GLTF2" << "OBJ" << "TILT" << "";
|
||||
const QStringList VALID_CATEGORIES = QStringList() << "animals" << "architecture" << "art" << "food" <<
|
||||
const QStringList VALID_CATEGORIES = QStringList() << "animals" << "architecture" << "art" << "food" <<
|
||||
"nature" << "objects" << "people" << "scenes" << "technology" << "transport" << "";
|
||||
|
||||
GooglePolyScriptingInterface::GooglePolyScriptingInterface() {
|
||||
|
@ -75,7 +76,7 @@ QString GooglePolyScriptingInterface::getGLTF2(const QString& keyword, const QSt
|
|||
QUrl url = formatURLQuery(keyword, category, "GLTF2");
|
||||
return getModelURL(url);
|
||||
}
|
||||
|
||||
|
||||
// This method will not be useful until we support Tilt models
|
||||
QString GooglePolyScriptingInterface::getTilt(const QString& keyword, const QString& category) {
|
||||
QUrl url = formatURLQuery(keyword, category, "TILT");
|
||||
|
@ -102,9 +103,7 @@ QString GooglePolyScriptingInterface::getModelInfo(const QString& input) {
|
|||
}
|
||||
|
||||
int GooglePolyScriptingInterface::getRandIntInRange(int length) {
|
||||
QTime time = QTime::currentTime();
|
||||
qsrand((uint)time.msec());
|
||||
return qrand() % length;
|
||||
return QRandomGenerator::global()->bounded(length);
|
||||
}
|
||||
|
||||
QUrl GooglePolyScriptingInterface::formatURLQuery(const QString& keyword, const QString& category, const QString& format) {
|
||||
|
|
|
@ -43,7 +43,7 @@ HMDToolsDialog::HMDToolsDialog(QWidget* parent) :
|
|||
_defaultPluginName = displayPlugin->getName();
|
||||
continue;
|
||||
}
|
||||
|
||||
|
||||
if (displayPlugin->isHmd()) {
|
||||
// Not all HMD's have corresponding screens
|
||||
if (displayPlugin->getHmdScreen() >= 0) {
|
||||
|
@ -90,7 +90,7 @@ HMDToolsDialog::HMDToolsDialog(QWidget* parent) :
|
|||
connect(_switchModeButton, &QPushButton::clicked, [this]{
|
||||
toggleHMDMode();
|
||||
});
|
||||
|
||||
|
||||
// when the application is about to quit, leave HDM mode
|
||||
connect(qApp, &Application::beforeAboutToQuit, [this]{
|
||||
// FIXME this is ineffective because it doesn't trigger the menu to
|
||||
|
@ -108,9 +108,11 @@ HMDToolsDialog::HMDToolsDialog(QWidget* parent) :
|
|||
updateUi();
|
||||
});
|
||||
|
||||
|
||||
// keep track of changes to the number of screens
|
||||
connect(QApplication::desktop(), &QDesktopWidget::screenCountChanged, this, &HMDToolsDialog::screenCountChanged);
|
||||
|
||||
connect(qApp, &QGuiApplication::screenAdded, this, &HMDToolsDialog::screenCountChanged);
|
||||
connect(qApp, &QGuiApplication::screenRemoved, this, &HMDToolsDialog::screenCountChanged);
|
||||
|
||||
updateUi();
|
||||
}
|
||||
|
||||
|
@ -130,14 +132,13 @@ QString HMDToolsDialog::getDebugDetails() const {
|
|||
results += "HMD Screen Name: N/A\n";
|
||||
}
|
||||
|
||||
int desktopPrimaryScreenNumber = QApplication::desktop()->primaryScreen();
|
||||
QScreen* desktopPrimaryScreen = QGuiApplication::screens()[desktopPrimaryScreenNumber];
|
||||
QScreen* desktopPrimaryScreen = QGuiApplication::primaryScreen();
|
||||
results += "Desktop's Primary Screen: " + desktopPrimaryScreen->name() + "\n";
|
||||
|
||||
results += "Application Primary Screen: " + QGuiApplication::primaryScreen()->name() + "\n";
|
||||
QScreen* mainWindowScreen = qApp->getWindow()->windowHandle()->screen();
|
||||
results += "Application Main Window Screen: " + mainWindowScreen->name() + "\n";
|
||||
results += "Total Screens: " + QString::number(QApplication::desktop()->screenCount()) + "\n";
|
||||
results += "Total Screens: " + QString::number(QGuiApplication::screens().count()) + "\n";
|
||||
|
||||
return results;
|
||||
}
|
||||
|
@ -196,7 +197,7 @@ void HMDToolsDialog::hideEvent(QHideEvent* event) {
|
|||
centerCursorOnWidget(qApp->getWindow());
|
||||
}
|
||||
|
||||
void HMDToolsDialog::screenCountChanged(int newCount) {
|
||||
void HMDToolsDialog::screenCountChanged() {
|
||||
int hmdScreenNumber = -1;
|
||||
const auto& displayPlugins = PluginManager::getInstance()->getDisplayPlugins();
|
||||
for(const auto& dp : displayPlugins) {
|
||||
|
@ -211,7 +212,7 @@ void HMDToolsDialog::screenCountChanged(int newCount) {
|
|||
if (qApp->isHMDMode() && _hmdScreenNumber != hmdScreenNumber) {
|
||||
qDebug() << "HMD Display changed WHILE IN HMD MODE";
|
||||
leaveHMDMode();
|
||||
|
||||
|
||||
// if there is a new best HDM screen then go back into HDM mode after done leaving
|
||||
if (hmdScreenNumber >= 0) {
|
||||
qDebug() << "Trying to go back into HMD Mode";
|
||||
|
@ -254,19 +255,19 @@ void HMDWindowWatcher::windowGeometryChanged(int arg) {
|
|||
}
|
||||
|
||||
void HMDWindowWatcher::windowScreenChanged(QScreen* screen) {
|
||||
// if we have more than one screen, and a known hmdScreen then try to
|
||||
// if we have more than one screen, and a known hmdScreen then try to
|
||||
// keep our dialog off of the hmdScreen
|
||||
if (QApplication::desktop()->screenCount() > 1) {
|
||||
if (QGuiApplication::screens().count() > 1) {
|
||||
int hmdScreenNumber = _hmdTools->_hmdScreenNumber;
|
||||
// we want to use a local variable here because we are not necesarily in HMD mode
|
||||
if (hmdScreenNumber >= 0) {
|
||||
QScreen* hmdScreen = QGuiApplication::screens()[hmdScreenNumber];
|
||||
if (screen == hmdScreen) {
|
||||
qDebug() << "HMD Tools: Whoa! What are you doing? You don't want to move me to the HMD Screen!";
|
||||
|
||||
|
||||
// try to pick a better screen
|
||||
QScreen* betterScreen = NULL;
|
||||
|
||||
|
||||
QScreen* lastApplicationScreen = _hmdTools->getLastApplicationScreen();
|
||||
QWindow* appWindow = qApp->getWindow()->windowHandle();
|
||||
QScreen* appScreen = appWindow->screen();
|
||||
|
@ -283,8 +284,7 @@ void HMDWindowWatcher::windowScreenChanged(QScreen* screen) {
|
|||
betterScreen = lastApplicationScreen;
|
||||
} else {
|
||||
// last, if we can't use the previous screen the use the primary desktop screen
|
||||
int desktopPrimaryScreenNumber = QApplication::desktop()->primaryScreen();
|
||||
QScreen* desktopPrimaryScreen = QGuiApplication::screens()[desktopPrimaryScreenNumber];
|
||||
QScreen* desktopPrimaryScreen = QGuiApplication::primaryScreen();
|
||||
betterScreen = desktopPrimaryScreen;
|
||||
}
|
||||
|
||||
|
|
|
@ -35,7 +35,7 @@ signals:
|
|||
|
||||
public slots:
|
||||
void reject() override;
|
||||
void screenCountChanged(int newCount);
|
||||
void screenCountChanged();
|
||||
|
||||
protected:
|
||||
virtual void closeEvent(QCloseEvent*) override; // Emits a 'closed' signal when this dialog is closed.
|
||||
|
|
|
@ -20,7 +20,7 @@ QUrl const TextOverlay::URL(QString("hifi/overlays/TextOverlay.qml"));
|
|||
|
||||
TextOverlay::TextOverlay() : QmlOverlay(URL) { }
|
||||
|
||||
TextOverlay::TextOverlay(const TextOverlay* textOverlay)
|
||||
TextOverlay::TextOverlay(const TextOverlay* textOverlay)
|
||||
: QmlOverlay(URL, textOverlay) {
|
||||
}
|
||||
|
||||
|
@ -38,6 +38,6 @@ QSizeF TextOverlay::textSize(const QString& text) const {
|
|||
QFont font(ROBOTO_FONT_FAMILY);
|
||||
font.setPixelSize(18);
|
||||
QFontMetrics fm(font);
|
||||
QSizeF result = QSizeF(fm.width(text), 18 * lines);
|
||||
return result;
|
||||
QSizeF result = QSizeF(fm.horizontalAdvance(text), 18 * lines);
|
||||
return result;
|
||||
}
|
|
@ -15,6 +15,7 @@
|
|||
#include <SharedUtil.h>
|
||||
#include <shared/NsightHelpers.h>
|
||||
#include <DebugDraw.h>
|
||||
#include <QElapsedTimer>
|
||||
#include "Rig.h"
|
||||
|
||||
#include "ElbowConstraint.h"
|
||||
|
@ -27,7 +28,7 @@
|
|||
static const int MAX_TARGET_MARKERS = 30;
|
||||
static const float JOINT_CHAIN_INTERP_TIME = 0.5f;
|
||||
|
||||
static QTime debounceJointWarningsClock;
|
||||
static QElapsedTimer debounceJointWarningsClock;
|
||||
static const int JOINT_WARNING_DEBOUNCE_TIME = 30000; // 30 seconds
|
||||
|
||||
static void lookupJointInfo(const AnimInverseKinematics::JointChainInfo& jointChainInfo,
|
||||
|
@ -269,7 +270,7 @@ void AnimInverseKinematics::solve(const AnimContext& context, const std::vector<
|
|||
break;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
// on last iteration, interpolate jointChains, if necessary
|
||||
if (numLoops == MAX_IK_LOOPS) {
|
||||
for (size_t i = 0; i < _prevJointChainInfoVec.size(); i++) {
|
||||
|
@ -357,7 +358,7 @@ void AnimInverseKinematics::solve(const AnimContext& context, const std::vector<
|
|||
bool needsInterpolation = _prevJointChainInfoVec[chainIndex].timer > 0.0f;
|
||||
float alpha = needsInterpolation ? getInterpolationAlpha(_prevJointChainInfoVec[chainIndex].timer) : 0.0f;
|
||||
// update rotationOnly targets that don't lie on the ik chain of other ik targets.
|
||||
if (parentIndex != AnimSkeleton::INVALID_JOINT_INDEX && !_rotationAccumulators[tipIndex].isDirty() &&
|
||||
if (parentIndex != AnimSkeleton::INVALID_JOINT_INDEX && !_rotationAccumulators[tipIndex].isDirty() &&
|
||||
(target.getType() == IKTarget::Type::RotationOnly || target.getType() == IKTarget::Type::Unknown)) {
|
||||
if (target.getType() == IKTarget::Type::RotationOnly) {
|
||||
const glm::quat& targetRotation = target.getRotation();
|
||||
|
|
|
@ -90,7 +90,7 @@ static const QString MAIN_STATE_MACHINE_RIGHT_HAND_POSITION("mainStateMachineRig
|
|||
|
||||
|
||||
/*@jsdoc
|
||||
* <p>An <code>AnimStateDictionary</code> object may have the following properties. It may also have other properties, set by
|
||||
* <p>An <code>AnimStateDictionary</code> object may have the following properties. It may also have other properties, set by
|
||||
* scripts.</p>
|
||||
* <p><strong>Warning:</strong> These properties are subject to change.
|
||||
* <table>
|
||||
|
@ -98,117 +98,117 @@ static const QString MAIN_STATE_MACHINE_RIGHT_HAND_POSITION("mainStateMachineRig
|
|||
* <tr><th>Name</th><th>Type</th><th>Description</th>
|
||||
* </thead>
|
||||
* <tbody>
|
||||
* <tr><td><code>userAnimNone</code></td><td>boolean</td><td><code>true</code> when no user overrideAnimation is
|
||||
* <tr><td><code>userAnimNone</code></td><td>boolean</td><td><code>true</code> when no user overrideAnimation is
|
||||
* playing.</td></tr>
|
||||
* <tr><td><code>userAnimA</code></td><td>boolean</td><td><code>true</code> when a user overrideAnimation is
|
||||
* <tr><td><code>userAnimA</code></td><td>boolean</td><td><code>true</code> when a user overrideAnimation is
|
||||
* playing.</td></tr>
|
||||
* <tr><td><code>userAnimB</code></td><td>boolean</td><td><code>true</code> when a user overrideAnimation is
|
||||
* <tr><td><code>userAnimB</code></td><td>boolean</td><td><code>true</code> when a user overrideAnimation is
|
||||
* playing.</td></tr>
|
||||
*
|
||||
* <tr><td><code>sine</code></td><td>number</td><td>Oscillating sine wave.</td></tr>
|
||||
* <tr><td><code>moveForwardSpeed</code></td><td>number</td><td>Controls the blend between the various forward walking
|
||||
* <tr><td><code>moveForwardSpeed</code></td><td>number</td><td>Controls the blend between the various forward walking
|
||||
* & running animations.</td></tr>
|
||||
* <tr><td><code>moveBackwardSpeed</code></td><td>number</td><td>Controls the blend between the various backward walking
|
||||
* <tr><td><code>moveBackwardSpeed</code></td><td>number</td><td>Controls the blend between the various backward walking
|
||||
* & running animations.</td></tr>
|
||||
* <tr><td><code>moveLateralSpeed</code></td><td>number</td><td>Controls the blend between the various sidestep walking
|
||||
* <tr><td><code>moveLateralSpeed</code></td><td>number</td><td>Controls the blend between the various sidestep walking
|
||||
* & running animations.</td></tr>
|
||||
*
|
||||
* <tr><td><code>isMovingForward</code></td><td>boolean</td><td><code>true</code> if the avatar is moving
|
||||
* <tr><td><code>isMovingForward</code></td><td>boolean</td><td><code>true</code> if the avatar is moving
|
||||
* forward.</td></tr>
|
||||
* <tr><td><code>isMovingBackward</code></td><td>boolean</td><td><code>true</code> if the avatar is moving
|
||||
* <tr><td><code>isMovingBackward</code></td><td>boolean</td><td><code>true</code> if the avatar is moving
|
||||
* backward.</td></tr>
|
||||
* <tr><td><code>isMovingRight</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the
|
||||
* <tr><td><code>isMovingRight</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the
|
||||
* right.</td></tr>
|
||||
* <tr><td><code>isMovingLeft</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the
|
||||
* <tr><td><code>isMovingLeft</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the
|
||||
* left.</td></tr>
|
||||
* <tr><td><code>isMovingRightHmd</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the right
|
||||
* <tr><td><code>isMovingRightHmd</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the right
|
||||
* while the user is in HMD mode.</td></tr>
|
||||
* <tr><td><code>isMovingLeftHmd</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the left while
|
||||
* <tr><td><code>isMovingLeftHmd</code></td><td>boolean</td><td><code>true</code> if the avatar is moving to the left while
|
||||
* the user is in HMD mode.</td></tr>
|
||||
* <tr><td><code>isNotMoving</code></td><td>boolean</td><td><code>true</code> if the avatar is stationary.</td></tr>
|
||||
*
|
||||
* <tr><td><code>isTurningRight</code></td><td>boolean</td><td><code>true</code> if the avatar is turning
|
||||
* <tr><td><code>isTurningRight</code></td><td>boolean</td><td><code>true</code> if the avatar is turning
|
||||
* clockwise.</td></tr>
|
||||
* <tr><td><code>isTurningLeft</code></td><td>boolean</td><td><code>true</code> if the avatar is turning
|
||||
* <tr><td><code>isTurningLeft</code></td><td>boolean</td><td><code>true</code> if the avatar is turning
|
||||
* counter-clockwise.</td></tr>
|
||||
* <tr><td><code>isNotTurning</code></td><td>boolean</td><td><code>true</code> if the avatar is not turning.</td></tr>
|
||||
* <tr><td><code>isFlying</code></td><td>boolean</td><td><code>true</code> if the avatar is flying.</td></tr>
|
||||
* <tr><td><code>isNotFlying</code></td><td>boolean</td><td><code>true</code> if the avatar is not flying.</td></tr>
|
||||
* <tr><td><code>isTakeoffStand</code></td><td>boolean</td><td><code>true</code> if the avatar is about to execute a
|
||||
* <tr><td><code>isTakeoffStand</code></td><td>boolean</td><td><code>true</code> if the avatar is about to execute a
|
||||
* standing jump.</td></tr>
|
||||
* <tr><td><code>isTakeoffRun</code></td><td>boolean</td><td><code>true</code> if the avatar is about to execute a running
|
||||
* <tr><td><code>isTakeoffRun</code></td><td>boolean</td><td><code>true</code> if the avatar is about to execute a running
|
||||
* jump.</td></tr>
|
||||
* <tr><td><code>isNotTakeoff</code></td><td>boolean</td><td><code>true</code> if the avatar is not jumping.</td></tr>
|
||||
* <tr><td><code>isInAirStand</code></td><td>boolean</td><td><code>true</code> if the avatar is in the air after a standing
|
||||
* <tr><td><code>isInAirStand</code></td><td>boolean</td><td><code>true</code> if the avatar is in the air after a standing
|
||||
* jump.</td></tr>
|
||||
* <tr><td><code>isInAirRun</code></td><td>boolean</td><td><code>true</code> if the avatar is in the air after a running
|
||||
* <tr><td><code>isInAirRun</code></td><td>boolean</td><td><code>true</code> if the avatar is in the air after a running
|
||||
* jump.</td></tr>
|
||||
* <tr><td><code>isNotInAir</code></td><td>boolean</td><td><code>true</code> if the avatar on the ground.</td></tr>
|
||||
*
|
||||
* <tr><td><code>inAirAlpha</code></td><td>number</td><td>Used to interpolate between the up, apex, and down in-air
|
||||
* <tr><td><code>inAirAlpha</code></td><td>number</td><td>Used to interpolate between the up, apex, and down in-air
|
||||
* animations.</td></tr>
|
||||
* <tr><td><code>ikOverlayAlpha</code></td><td>number</td><td>The blend between upper body and spline IK versus the
|
||||
* <tr><td><code>ikOverlayAlpha</code></td><td>number</td><td>The blend between upper body and spline IK versus the
|
||||
* underlying animation</td></tr>
|
||||
*
|
||||
* <tr><td><code>headPosition</code></td><td>{@link Vec3}</td><td>The desired position of the <code>Head</code> joint in
|
||||
* <tr><td><code>headPosition</code></td><td>{@link Vec3}</td><td>The desired position of the <code>Head</code> joint in
|
||||
* rig coordinates.</td></tr>
|
||||
* <tr><td><code>headRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>Head</code> joint in
|
||||
* <tr><td><code>headRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>Head</code> joint in
|
||||
* rig coordinates.</td></tr>
|
||||
* <tr><td><code>headType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* <tr><td><code>headType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* head.</td></tr>
|
||||
* <tr><td><code>headWeight</code></td><td>number</td><td>How strongly the head chain blends with the other IK
|
||||
* <tr><td><code>headWeight</code></td><td>number</td><td>How strongly the head chain blends with the other IK
|
||||
* chains.</td></tr>
|
||||
*
|
||||
* <tr><td><code>leftHandPosition</code></td><td>{@link Vec3}</td><td>The desired position of the <code>LeftHand</code>
|
||||
* <tr><td><code>leftHandPosition</code></td><td>{@link Vec3}</td><td>The desired position of the <code>LeftHand</code>
|
||||
* joint in rig coordinates.</td></tr>
|
||||
* <tr><td><code>leftHandRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>LeftHand</code>
|
||||
* <tr><td><code>leftHandRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>LeftHand</code>
|
||||
* joint in rig coordinates.</td></tr>
|
||||
* <tr><td><code>leftHandType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* <tr><td><code>leftHandType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* left arm.</td></tr>
|
||||
* <tr><td><code>leftHandPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the elbow angle is
|
||||
* controlled by the <code>rightHandPoleVector</code> property value. Otherwise the elbow direction comes from the
|
||||
* <tr><td><code>leftHandPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the elbow angle is
|
||||
* controlled by the <code>rightHandPoleVector</code> property value. Otherwise the elbow direction comes from the
|
||||
* underlying animation.</td></tr>
|
||||
* <tr><td><code>leftHandPoleReferenceVector</code></td><td>{@link Vec3}</td><td>The direction of the elbow in the local
|
||||
* <tr><td><code>leftHandPoleReferenceVector</code></td><td>{@link Vec3}</td><td>The direction of the elbow in the local
|
||||
* coordinate system of the elbow.</td></tr>
|
||||
* <tr><td><code>leftHandPoleVector</code></td><td>{@link Vec3}</td><td>The direction the elbow should point in rig
|
||||
* <tr><td><code>leftHandPoleVector</code></td><td>{@link Vec3}</td><td>The direction the elbow should point in rig
|
||||
* coordinates.</td></tr>
|
||||
*
|
||||
* <tr><td><code>rightHandPosition</code></td><td>{@link Vec3}</td><td>The desired position of the <code>RightHand</code>
|
||||
* joint in rig coordinates.</td></tr>
|
||||
* <tr><td><code>rightHandRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the
|
||||
* <tr><td><code>rightHandRotation</code></td><td>{@link Quat}</td><td>The desired orientation of the
|
||||
* <code>RightHand</code> joint in rig coordinates.</td></tr>
|
||||
* <tr><td><code>rightHandType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for
|
||||
* <tr><td><code>rightHandType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for
|
||||
* the right arm.</td></tr>
|
||||
* <tr><td><code>rightHandPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the elbow angle is
|
||||
* controlled by the <code>rightHandPoleVector</code> property value. Otherwise the elbow direction comes from the
|
||||
* <tr><td><code>rightHandPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the elbow angle is
|
||||
* controlled by the <code>rightHandPoleVector</code> property value. Otherwise the elbow direction comes from the
|
||||
* underlying animation.</td></tr>
|
||||
* <tr><td><code>rightHandPoleReferenceVector</code></td><td>{@link Vec3}</td><td>The direction of the elbow in the local
|
||||
* <tr><td><code>rightHandPoleReferenceVector</code></td><td>{@link Vec3}</td><td>The direction of the elbow in the local
|
||||
* coordinate system of the elbow.</td></tr>
|
||||
* <tr><td><code>rightHandPoleVector</code></td><td>{@link Vec3}</td><td>The direction the elbow should point in rig
|
||||
* <tr><td><code>rightHandPoleVector</code></td><td>{@link Vec3}</td><td>The direction the elbow should point in rig
|
||||
* coordinates.</td></tr>
|
||||
*
|
||||
* <tr><td><code>leftFootIKEnabled</code></td><td>boolean</td><td><code>true</code> if IK is enabled for the left
|
||||
* <tr><td><code>leftFootIKEnabled</code></td><td>boolean</td><td><code>true</code> if IK is enabled for the left
|
||||
* foot.</td></tr>
|
||||
* <tr><td><code>rightFootIKEnabled</code></td><td>boolean</td><td><code>true</code> if IK is enabled for the right
|
||||
* <tr><td><code>rightFootIKEnabled</code></td><td>boolean</td><td><code>true</code> if IK is enabled for the right
|
||||
* foot.</td></tr>
|
||||
*
|
||||
* <tr><td><code>leftFootIKPositionVar</code></td><td>string</td><td>The name of the source for the desired position
|
||||
* <tr><td><code>leftFootIKPositionVar</code></td><td>string</td><td>The name of the source for the desired position
|
||||
* of the <code>LeftFoot</code> joint. If not set, the foot rotation of the underlying animation will be used.</td></tr>
|
||||
* <tr><td><code>leftFootIKRotationVar</code></td><td>string</td><td>The name of the source for the desired rotation
|
||||
* of the <code>LeftFoot</code> joint. If not set, the foot rotation of the underlying animation will be used.</td></tr>
|
||||
* <tr><td><code>leftFootPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the knee angle is
|
||||
* controlled by the <code>leftFootPoleVector</code> property value. Otherwise the knee direction comes from the
|
||||
* <tr><td><code>leftFootPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the knee angle is
|
||||
* controlled by the <code>leftFootPoleVector</code> property value. Otherwise the knee direction comes from the
|
||||
* underlying animation.</td></tr>
|
||||
* <tr><td><code>leftFootPoleVector</code></td><td>{@link Vec3}</td><td>The direction the knee should face in rig
|
||||
* <tr><td><code>leftFootPoleVector</code></td><td>{@link Vec3}</td><td>The direction the knee should face in rig
|
||||
* coordinates.</td></tr>
|
||||
* <tr><td><code>rightFootIKPositionVar</code></td><td>string</td><td>The name of the source for the desired position
|
||||
* <tr><td><code>rightFootIKPositionVar</code></td><td>string</td><td>The name of the source for the desired position
|
||||
* of the <code>RightFoot</code> joint. If not set, the foot rotation of the underlying animation will be used.</td></tr>
|
||||
* <tr><td><code>rightFootIKRotationVar</code></td><td>string</td><td>The name of the source for the desired rotation
|
||||
* of the <code>RightFoot</code> joint. If not set, the foot rotation of the underlying animation will be used.</td></tr>
|
||||
* <tr><td><code>rightFootPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the knee angle is
|
||||
* controlled by the <code>rightFootPoleVector</code> property value. Otherwise the knee direction comes from the
|
||||
* <tr><td><code>rightFootPoleVectorEnabled</code></td><td>boolean</td><td>When <code>true</code>, the knee angle is
|
||||
* controlled by the <code>rightFootPoleVector</code> property value. Otherwise the knee direction comes from the
|
||||
* underlying animation.</td></tr>
|
||||
* <tr><td><code>rightFootPoleVector</code></td><td>{@link Vec3}</td><td>The direction the knee should face in rig
|
||||
* <tr><td><code>rightFootPoleVector</code></td><td>{@link Vec3}</td><td>The direction the knee should face in rig
|
||||
* coordinates.</td></tr>
|
||||
*
|
||||
* <tr><td><code>isTalking</code></td><td>boolean</td><td><code>true</code> if the avatar is talking.</td></tr>
|
||||
|
@ -216,60 +216,60 @@ static const QString MAIN_STATE_MACHINE_RIGHT_HAND_POSITION("mainStateMachineRig
|
|||
*
|
||||
* <tr><td><code>solutionSource</code></td><td>{@link MyAvatar.AnimIKSolutionSource|AnimIKSolutionSource}</td>
|
||||
* <td>Determines the initial conditions of the IK solver.</td></tr>
|
||||
* <tr><td><code>defaultPoseOverlayAlpha</code></td><td>number</td><td>Controls the blend between the main animation state
|
||||
* machine and the default pose. Mostly used during full body tracking so that walking & jumping animations do not
|
||||
* <tr><td><code>defaultPoseOverlayAlpha</code></td><td>number</td><td>Controls the blend between the main animation state
|
||||
* machine and the default pose. Mostly used during full body tracking so that walking & jumping animations do not
|
||||
* affect the IK of the figure.</td></tr>
|
||||
* <tr><td><code>defaultPoseOverlayBoneSet</code></td><td>{@link MyAvatar.AnimOverlayBoneSet|AnimOverlayBoneSet}</td>
|
||||
* <td>Specifies which bones will be replace by the source overlay.</td></tr>
|
||||
* <tr><td><code>hipsType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* <tr><td><code>hipsType</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* hips.</td></tr>
|
||||
* <tr><td><code>hipsPosition</code></td><td>{@link Vec3}</td><td>The desired position of <code>Hips</code> joint in rig
|
||||
* <tr><td><code>hipsPosition</code></td><td>{@link Vec3}</td><td>The desired position of <code>Hips</code> joint in rig
|
||||
* coordinates.</td></tr>
|
||||
* <tr><td><code>hipsRotation</code></td><td>{@link Quat}</td><td>the desired orientation of the <code>Hips</code> joint in
|
||||
* <tr><td><code>hipsRotation</code></td><td>{@link Quat}</td><td>the desired orientation of the <code>Hips</code> joint in
|
||||
* rig coordinates.</td></tr>
|
||||
* <tr><td><code>spine2Type</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* <tr><td><code>spine2Type</code></td><td>{@link MyAvatar.IKTargetType|IKTargetType}</td><td>The type of IK used for the
|
||||
* <code>Spine2</code> joint.</td></tr>
|
||||
* <tr><td><code>spine2Position</code></td><td>{@link Vec3}</td><td>The desired position of the <code>Spine2</code> joint
|
||||
* <tr><td><code>spine2Position</code></td><td>{@link Vec3}</td><td>The desired position of the <code>Spine2</code> joint
|
||||
* in rig coordinates.</td></tr>
|
||||
* <tr><td><code>spine2Rotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>Spine2</code>
|
||||
* <tr><td><code>spine2Rotation</code></td><td>{@link Quat}</td><td>The desired orientation of the <code>Spine2</code>
|
||||
* joint in rig coordinates.</td></tr>
|
||||
*
|
||||
* <tr><td><code>leftFootIKAlpha</code></td><td>number</td><td>Blends between full IK for the leg and the underlying
|
||||
* animation.</td></tr>
|
||||
* <tr><td><code>rightFootIKAlpha</code></td><td>number</td><td>Blends between full IK for the leg and the underlying
|
||||
* animation.</td></tr>
|
||||
* <tr><td><code>hipsWeight</code></td><td>number</td><td>How strongly the hips target blends with the IK solution for
|
||||
* <tr><td><code>hipsWeight</code></td><td>number</td><td>How strongly the hips target blends with the IK solution for
|
||||
* other IK chains.</td></tr>
|
||||
* <tr><td><code>leftHandWeight</code></td><td>number</td><td>How strongly the left hand blends with IK solution of other
|
||||
* <tr><td><code>leftHandWeight</code></td><td>number</td><td>How strongly the left hand blends with IK solution of other
|
||||
* IK chains.</td></tr>
|
||||
* <tr><td><code>rightHandWeight</code></td><td>number</td><td>How strongly the right hand blends with IK solution of other
|
||||
* IK chains.</td></tr>
|
||||
* <tr><td><code>spine2Weight</code></td><td>number</td><td>How strongly the spine2 chain blends with the rest of the IK
|
||||
* <tr><td><code>spine2Weight</code></td><td>number</td><td>How strongly the spine2 chain blends with the rest of the IK
|
||||
* solution.</td></tr>
|
||||
*
|
||||
* <tr><td><code>leftHandOverlayAlpha</code></td><td>number</td><td>Used to blend in the animated hand gesture poses, such
|
||||
* <tr><td><code>leftHandOverlayAlpha</code></td><td>number</td><td>Used to blend in the animated hand gesture poses, such
|
||||
* as point and thumbs up.</td></tr>
|
||||
* <tr><td><code>leftHandGraspAlpha</code></td><td>number</td><td>Used to blend between an open hand and a closed hand.
|
||||
* <tr><td><code>leftHandGraspAlpha</code></td><td>number</td><td>Used to blend between an open hand and a closed hand.
|
||||
* Usually changed as you squeeze the trigger of the hand controller.</td></tr>
|
||||
* <tr><td><code>rightHandOverlayAlpha</code></td><td>number</td><td>Used to blend in the animated hand gesture poses,
|
||||
* <tr><td><code>rightHandOverlayAlpha</code></td><td>number</td><td>Used to blend in the animated hand gesture poses,
|
||||
* such as point and thumbs up.</td></tr>
|
||||
* <tr><td><code>rightHandGraspAlpha</code></td><td>number</td><td>Used to blend between an open hand and a closed hand.
|
||||
* <tr><td><code>rightHandGraspAlpha</code></td><td>number</td><td>Used to blend between an open hand and a closed hand.
|
||||
* Usually changed as you squeeze the trigger of the hand controller.</td></tr>
|
||||
* <tr><td><code>isLeftIndexPoint</code></td><td>boolean</td><td><code>true</code> if the left hand should be
|
||||
* pointing.</td></tr>
|
||||
* <tr><td><code>isLeftThumbRaise</code></td><td>boolean</td><td><code>true</code> if the left hand should be
|
||||
* <tr><td><code>isLeftThumbRaise</code></td><td>boolean</td><td><code>true</code> if the left hand should be
|
||||
* thumbs-up.</td></tr>
|
||||
* <tr><td><code>isLeftIndexPointAndThumbRaise</code></td><td>boolean</td><td><code>true</code> if the left hand should be
|
||||
* <tr><td><code>isLeftIndexPointAndThumbRaise</code></td><td>boolean</td><td><code>true</code> if the left hand should be
|
||||
* pointing and thumbs-up.</td></tr>
|
||||
* <tr><td><code>isLeftHandGrasp</code></td><td>boolean</td><td><code>true</code> if the left hand should be at rest,
|
||||
* <tr><td><code>isLeftHandGrasp</code></td><td>boolean</td><td><code>true</code> if the left hand should be at rest,
|
||||
* grasping the controller.</td></tr>
|
||||
* <tr><td><code>isRightIndexPoint</code></td><td>boolean</td><td><code>true</code> if the right hand should be
|
||||
* pointing.</td></tr>
|
||||
* <tr><td><code>isRightThumbRaise</code></td><td>boolean</td><td><code>true</code> if the right hand should be
|
||||
* <tr><td><code>isRightThumbRaise</code></td><td>boolean</td><td><code>true</code> if the right hand should be
|
||||
* thumbs-up.</td></tr>
|
||||
* <tr><td><code>isRightIndexPointAndThumbRaise</code></td><td>boolean</td><td><code>true</code> if the right hand should
|
||||
* <tr><td><code>isRightIndexPointAndThumbRaise</code></td><td>boolean</td><td><code>true</code> if the right hand should
|
||||
* be pointing and thumbs-up.</td></tr>
|
||||
* <tr><td><code>isRightHandGrasp</code></td><td>boolean</td><td><code>true</code> if the right hand should be at rest,
|
||||
* <tr><td><code>isRightHandGrasp</code></td><td>boolean</td><td><code>true</code> if the right hand should be at rest,
|
||||
* grasping the controller.</td></tr>
|
||||
*
|
||||
* </tbody>
|
||||
|
@ -521,7 +521,7 @@ void Rig::triggerNetworkRole(const QString& role) {
|
|||
_networkVars.set("postTransitAnim", true);
|
||||
_networkAnimState.clipNodeEnum = NetworkAnimState::PostTransit;
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
void Rig::restoreNetworkAnimation() {
|
||||
|
@ -640,10 +640,10 @@ void Rig::initJointStates(const HFMModel& hfmModel, const glm::mat4& modelOffset
|
|||
|
||||
_internalPoseSet._overrideFlags.clear();
|
||||
_internalPoseSet._overrideFlags.resize(_animSkeleton->getNumJoints(), false);
|
||||
|
||||
|
||||
_networkPoseSet._overridePoses.clear();
|
||||
_networkPoseSet._overridePoses = _animSkeleton->getRelativeDefaultPoses();
|
||||
|
||||
|
||||
_networkPoseSet._overrideFlags.clear();
|
||||
_networkPoseSet._overrideFlags.resize(_animSkeleton->getNumJoints(), false);
|
||||
|
||||
|
@ -1496,7 +1496,7 @@ void Rig::computeMotionAnimationState(float deltaTime, const glm::vec3& worldPos
|
|||
_animVars.set("isInputLeft", false);
|
||||
|
||||
// directly reflects input
|
||||
_animVars.set("isNotInput", true);
|
||||
_animVars.set("isNotInput", true);
|
||||
|
||||
// no input + speed drops to SLOW_SPEED_THRESHOLD
|
||||
// (don't transition run->idle - slow to walk first)
|
||||
|
@ -1728,10 +1728,10 @@ void Rig::updateAnimations(float deltaTime, const glm::mat4& rootTransform, cons
|
|||
_networkVars = networkTriggersOut;
|
||||
_lastContext = context;
|
||||
}
|
||||
|
||||
|
||||
applyOverridePoses();
|
||||
|
||||
buildAbsoluteRigPoses(_internalPoseSet._relativePoses, _internalPoseSet._absolutePoses);
|
||||
buildAbsoluteRigPoses(_internalPoseSet._relativePoses, _internalPoseSet._absolutePoses);
|
||||
_internalFlow.update(deltaTime, _internalPoseSet._relativePoses, _internalPoseSet._absolutePoses, _internalPoseSet._overrideFlags);
|
||||
|
||||
if (_sendNetworkNode) {
|
||||
|
@ -1747,7 +1747,7 @@ void Rig::updateAnimations(float deltaTime, const glm::mat4& rootTransform, cons
|
|||
// copy internal poses to external poses
|
||||
{
|
||||
QWriteLocker writeLock(&_externalPoseSetLock);
|
||||
|
||||
|
||||
_externalPoseSet = _internalPoseSet;
|
||||
}
|
||||
}
|
||||
|
@ -2503,7 +2503,7 @@ void Rig::initAnimGraph(const QUrl& url) {
|
|||
triggerNetworkRole("postTransitAnim");
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
});
|
||||
connect(_networkLoader.get(), &AnimNodeLoader::error, [networkUrl](int error, QString str) {
|
||||
qCritical(animation) << "Error loading: code = " << error << "str =" << str;
|
||||
|
@ -2761,7 +2761,6 @@ void Rig::initFlow(bool isActive) {
|
|||
float Rig::getUnscaledEyeHeight() const {
|
||||
// Normally the model offset transform will contain the avatar scale factor, we explicitly remove it here.
|
||||
AnimPose modelOffsetWithoutAvatarScale(glm::vec3(1.0f), getModelOffsetPose().rot(), getModelOffsetPose().trans());
|
||||
AnimPose geomToRigWithoutAvatarScale = modelOffsetWithoutAvatarScale * getGeometryOffsetPose();
|
||||
|
||||
// Factor to scale distances in the geometry frame into the unscaled rig frame.
|
||||
float scaleFactor = GetScaleFactorGeometryToUnscaledRig();
|
||||
|
|
|
@ -44,7 +44,7 @@ AudioDataPointer AudioData::make(uint32_t numSamples, uint32_t numChannels,
|
|||
const size_t memorySize = sizeof(AudioData) + bufferSize;
|
||||
|
||||
// Allocate the memory for the audio data object and the buffer
|
||||
void* memory = ::malloc(memorySize);
|
||||
void* memory = ::calloc(1, memorySize);
|
||||
auto audioData = reinterpret_cast<AudioData*>(memory);
|
||||
auto buffer = reinterpret_cast<AudioSample*>(audioData + 1);
|
||||
assert(((char*)buffer - (char*)audioData) == sizeof(AudioData));
|
||||
|
|
|
@ -17,6 +17,7 @@
|
|||
#include <DependencyManager.h>
|
||||
#include <GeometryUtil.h>
|
||||
#include <Rig.h>
|
||||
#include <algorithm>
|
||||
#include "Logging.h"
|
||||
|
||||
#include "Avatar.h"
|
||||
|
@ -29,7 +30,7 @@ static void updateFakeCoefficients(float leftBlink, float rightBlink, float brow
|
|||
float jawOpen, float mouth2, float mouth3, float mouth4, QVector<float>& coefficients) {
|
||||
|
||||
coefficients.resize(std::max((int)coefficients.size(), (int)Blendshapes::BlendshapeCount));
|
||||
qFill(coefficients.begin(), coefficients.end(), 0.0f);
|
||||
std::fill(coefficients.begin(), coefficients.end(), 0.0f);
|
||||
coefficients[(int)Blendshapes::EyeBlink_L] = leftBlink;
|
||||
coefficients[(int)Blendshapes::EyeBlink_R] = rightBlink;
|
||||
coefficients[(int)Blendshapes::BrowsU_C] = browUp;
|
||||
|
|
|
@ -45,6 +45,7 @@
|
|||
#include "AvatarTraits.h"
|
||||
#include "ClientTraitsHandler.h"
|
||||
#include "ResourceRequestObserver.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
//#define WANT_DEBUG
|
||||
|
||||
|
@ -470,7 +471,7 @@ QByteArray AvatarData::toByteArray(AvatarDataDetail dataDetail, quint64 lastSent
|
|||
IF_AVATAR_SPACE(PACKET_HAS_AVATAR_GLOBAL_POSITION, sizeof _globalPosition) {
|
||||
auto startSection = destinationBuffer;
|
||||
AVATAR_MEMCPY(_globalPosition);
|
||||
|
||||
|
||||
int numBytes = destinationBuffer - startSection;
|
||||
|
||||
if (outboundDataRateOut) {
|
||||
|
@ -1199,7 +1200,7 @@ int AvatarData::parseDataFromBuffer(const QByteArray& buffer) {
|
|||
auto newHasProceduralBlinkFaceMovement = oneAtBit16(bitItems, PROCEDURAL_BLINK_FACE_MOVEMENT);
|
||||
|
||||
auto newCollideWithOtherAvatars = oneAtBit16(bitItems, COLLIDE_WITH_OTHER_AVATARS);
|
||||
auto newHasPriority = oneAtBit16(bitItems, HAS_HERO_PRIORITY);
|
||||
auto newHasPriority = oneAtBit16(bitItems, HAS_HERO_PRIORITY);
|
||||
|
||||
bool keyStateChanged = (_keyState != newKeyState);
|
||||
bool handStateChanged = (_handState != newHandState);
|
||||
|
@ -1211,7 +1212,7 @@ int AvatarData::parseDataFromBuffer(const QByteArray& buffer) {
|
|||
bool proceduralBlinkFaceMovementChanged = (_headData->getProceduralAnimationFlag(HeadData::BlinkProceduralBlendshapeAnimation) != newHasProceduralBlinkFaceMovement);
|
||||
bool collideWithOtherAvatarsChanged = (_collideWithOtherAvatars != newCollideWithOtherAvatars);
|
||||
bool hasPriorityChanged = (getHasPriority() != newHasPriority);
|
||||
bool somethingChanged = keyStateChanged || handStateChanged || faceStateChanged || eyeStateChanged || audioEnableFaceMovementChanged ||
|
||||
bool somethingChanged = keyStateChanged || handStateChanged || faceStateChanged || eyeStateChanged || audioEnableFaceMovementChanged ||
|
||||
proceduralEyeFaceMovementChanged ||
|
||||
proceduralBlinkFaceMovementChanged || collideWithOtherAvatarsChanged || hasPriorityChanged;
|
||||
|
||||
|
@ -1784,7 +1785,7 @@ glm::vec3 AvatarData::getJointTranslation(int index) const {
|
|||
}
|
||||
|
||||
glm::vec3 AvatarData::getJointTranslation(const QString& name) const {
|
||||
// Can't do this, because the lock needs to cover the entire set of logic. In theory, the joints could change
|
||||
// Can't do this, because the lock needs to cover the entire set of logic. In theory, the joints could change
|
||||
// on another thread in between the call to getJointIndex and getJointTranslation
|
||||
// return getJointTranslation(getJointIndex(name));
|
||||
return readLockWithNamedJointIndex<glm::vec3>(name, [this](int index) {
|
||||
|
@ -1864,7 +1865,7 @@ bool AvatarData::isJointDataValid(const QString& name) const {
|
|||
// return isJointDataValid(getJointIndex(name));
|
||||
|
||||
return readLockWithNamedJointIndex<bool>(name, false, [&](int index) {
|
||||
// This is technically superfluous.... the lambda is only called if index is a valid
|
||||
// This is technically superfluous.... the lambda is only called if index is a valid
|
||||
// offset for _jointData. Nevertheless, it would be confusing to leave the lamdba as
|
||||
// `return true`
|
||||
return index < _jointData.size();
|
||||
|
@ -2143,7 +2144,7 @@ void AvatarData::unpackSkeletonData(const QByteArray& data) {
|
|||
|
||||
const unsigned char* startPosition = reinterpret_cast<const unsigned char*>(data.data());
|
||||
const unsigned char* sourceBuffer = startPosition;
|
||||
|
||||
|
||||
auto header = reinterpret_cast<const AvatarSkeletonTrait::Header*>(sourceBuffer);
|
||||
sourceBuffer += sizeof(const AvatarSkeletonTrait::Header);
|
||||
|
||||
|
@ -2156,7 +2157,7 @@ void AvatarData::unpackSkeletonData(const QByteArray& data) {
|
|||
uJointData.jointIndex = (int)i;
|
||||
uJointData.stringLength = (int)jointData->stringLength;
|
||||
uJointData.stringStart = (int)jointData->stringStart;
|
||||
uJointData.parentIndex = ((uJointData.boneType == AvatarSkeletonTrait::BoneType::SkeletonRoot) ||
|
||||
uJointData.parentIndex = ((uJointData.boneType == AvatarSkeletonTrait::BoneType::SkeletonRoot) ||
|
||||
(uJointData.boneType == AvatarSkeletonTrait::BoneType::NonSkeletonRoot)) ? -1 : (int)jointData->parentIndex;
|
||||
unpackOrientationQuatFromSixBytes(reinterpret_cast<const unsigned char*>(&jointData->defaultRotation), uJointData.defaultRotation);
|
||||
unpackFloatVec3FromSignedTwoByteFixed(reinterpret_cast<const unsigned char*>(&jointData->defaultTranslation), uJointData.defaultTranslation, TRANSLATION_COMPRESSION_RADIX);
|
||||
|
@ -2306,7 +2307,7 @@ void AvatarData::setSkeletonModelURL(const QUrl& skeletonModelURL) {
|
|||
if (expanded == _skeletonModelURL) {
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
_skeletonModelURL = expanded;
|
||||
if (_clientTraitsHandler) {
|
||||
_clientTraitsHandler->markTraitUpdated(AvatarTraits::SkeletonModelURL);
|
||||
|
@ -2858,12 +2859,17 @@ QByteArray AvatarData::toFrame(const AvatarData& avatar) {
|
|||
qCDebug(avatars).noquote() << QJsonDocument(obj).toJson(QJsonDocument::JsonFormat::Indented);
|
||||
}
|
||||
#endif
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Can't use CBOR yet, would break the protocol
|
||||
return QJsonDocument(root).toBinaryData();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
|
||||
|
||||
void AvatarData::fromFrame(const QByteArray& frameData, AvatarData& result, bool useFrameSkeleton) {
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
QJsonDocument doc = QJsonDocument::fromBinaryData(frameData);
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
#ifdef WANT_JSON_DEBUG
|
||||
{
|
||||
|
@ -2929,14 +2935,14 @@ glm::vec3 AvatarData::getAbsoluteJointTranslationInObjectFrame(int index) const
|
|||
/*@jsdoc
|
||||
* Information on an attachment worn by the avatar.
|
||||
* @typedef {object} AttachmentData
|
||||
* @property {string} modelUrl - The URL of the glTF, FBX, or OBJ model file. glTF models may be in JSON or binary format
|
||||
* @property {string} modelUrl - The URL of the glTF, FBX, or OBJ model file. glTF models may be in JSON or binary format
|
||||
* (".gltf" or ".glb" URLs respectively).
|
||||
* @property {string} jointName - The name of the joint that the attachment is parented to.
|
||||
* @property {Vec3} translation - The offset from the joint that the attachment is positioned at.
|
||||
* @property {Vec3} rotation - The rotation applied to the model relative to the joint orientation.
|
||||
* @property {number} scale - The scale applied to the attachment model.
|
||||
* @property {boolean} soft - If <code>true</code> and the model has a skeleton, the bones of the attached model's skeleton are
|
||||
* rotated to fit the avatar's current pose. If <code>true</code>, the <code>translation</code>, <code>rotation</code>, and
|
||||
* @property {boolean} soft - If <code>true</code> and the model has a skeleton, the bones of the attached model's skeleton are
|
||||
* rotated to fit the avatar's current pose. If <code>true</code>, the <code>translation</code>, <code>rotation</code>, and
|
||||
* <code>scale</code> parameters are ignored.
|
||||
*/
|
||||
QVariant AttachmentData::toVariant() const {
|
||||
|
@ -3132,12 +3138,12 @@ glm::mat4 AvatarData::getControllerRightHandMatrix() const {
|
|||
* @property {boolean} intersects - <code>true</code> if an avatar is intersected, <code>false</code> if it isn't.
|
||||
* @property {string} avatarID - The ID of the avatar that is intersected.
|
||||
* @property {number} distance - The distance from the ray origin to the intersection.
|
||||
* @property {string} face - The name of the box face that is intersected; <code>"UNKNOWN_FACE"</code> if mesh was picked
|
||||
* @property {string} face - The name of the box face that is intersected; <code>"UNKNOWN_FACE"</code> if mesh was picked
|
||||
* against.
|
||||
* @property {Vec3} intersection - The ray intersection point in world coordinates.
|
||||
* @property {Vec3} surfaceNormal - The surface normal at the intersection point.
|
||||
* @property {number} jointIndex - The index of the joint intersected.
|
||||
* @property {SubmeshIntersection} extraInfo - Extra information on the mesh intersected if mesh was picked against,
|
||||
* @property {SubmeshIntersection} extraInfo - Extra information on the mesh intersected if mesh was picked against,
|
||||
* <code>{}</code> if it wasn't.
|
||||
*/
|
||||
QScriptValue RayToAvatarIntersectionResultToScriptValue(QScriptEngine* engine, const RayToAvatarIntersectionResult& value) {
|
||||
|
@ -3190,7 +3196,9 @@ QScriptValue AvatarEntityMapToScriptValue(QScriptEngine* engine, const AvatarEnt
|
|||
QScriptValue obj = engine->newObject();
|
||||
for (auto entityID : value.keys()) {
|
||||
QByteArray entityProperties = value.value(entityID);
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
QJsonDocument jsonEntityProperties = QJsonDocument::fromBinaryData(entityProperties);
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
if (!jsonEntityProperties.isObject()) {
|
||||
qCDebug(avatars) << "bad AvatarEntityData in AvatarEntityMap" << QString(entityProperties.toHex());
|
||||
}
|
||||
|
@ -3214,8 +3222,9 @@ void AvatarEntityMapFromScriptValue(const QScriptValue& object, AvatarEntityMap&
|
|||
QScriptValue scriptEntityProperties = itr.value();
|
||||
QVariant variantEntityProperties = scriptEntityProperties.toVariant();
|
||||
QJsonDocument jsonEntityProperties = QJsonDocument::fromVariant(variantEntityProperties);
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
QByteArray binaryEntityProperties = jsonEntityProperties.toBinaryData();
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
value[EntityID] = binaryEntityProperties;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -98,7 +98,7 @@ namespace controller {
|
|||
if (!QDir(SAVE_DIRECTORY).exists()) {
|
||||
QDir().mkdir(SAVE_DIRECTORY);
|
||||
}
|
||||
|
||||
|
||||
QFile saveFile (fileName);
|
||||
if (!saveFile.open(QIODevice::WriteOnly)) {
|
||||
qWarning() << "could not open file: " << fileName;
|
||||
|
@ -112,7 +112,7 @@ namespace controller {
|
|||
qCritical("unable to gzip while saving to json.");
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
saveFile.write(jsonDataForFile);
|
||||
saveFile.close();
|
||||
}
|
||||
|
@ -133,7 +133,7 @@ namespace controller {
|
|||
status = false;
|
||||
return object;
|
||||
}
|
||||
|
||||
|
||||
QJsonDocument jsonDoc = QJsonDocument::fromJson(jsonData);
|
||||
object = jsonDoc.object();
|
||||
status = true;
|
||||
|
@ -166,12 +166,12 @@ namespace controller {
|
|||
QJsonObject data;
|
||||
data["frameCount"] = _framesRecorded;
|
||||
data["version"] = "0.0";
|
||||
|
||||
|
||||
QJsonArray actionArrayList;
|
||||
QJsonArray poseArrayList;
|
||||
for(const ActionStates actionState: _actionStateList) {
|
||||
for(const ActionStates& actionState: _actionStateList) {
|
||||
QJsonArray actionArray;
|
||||
for (const auto action: actionState) {
|
||||
for (const auto& action: actionState) {
|
||||
QJsonObject actionJson;
|
||||
actionJson["name"] = action.first;
|
||||
actionJson["value"] = action.second;
|
||||
|
@ -180,9 +180,9 @@ namespace controller {
|
|||
actionArrayList.append(actionArray);
|
||||
}
|
||||
|
||||
for (const PoseStates poseState: _poseStateList) {
|
||||
for (const PoseStates& poseState: _poseStateList) {
|
||||
QJsonArray poseArray;
|
||||
for (const auto pose: poseState) {
|
||||
for (const auto& pose: poseState) {
|
||||
QJsonObject poseJson;
|
||||
poseJson["name"] = pose.first;
|
||||
poseJson["pose"] = poseToJsonObject(pose.second);
|
||||
|
@ -217,12 +217,12 @@ namespace controller {
|
|||
QString filePath = urlPath.toLocalFile();
|
||||
QFileInfo info(filePath);
|
||||
QString extension = info.suffix();
|
||||
|
||||
|
||||
if (extension != "gz") {
|
||||
qWarning() << "can not load file with exentsion of " << extension;
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
bool success = false;
|
||||
QJsonObject data = openFile(filePath, success);
|
||||
auto keyValue = data.find("version");
|
||||
|
@ -250,15 +250,15 @@ namespace controller {
|
|||
_poseStateList.push_back(_currentFramePoses);
|
||||
_currentFramePoses.clear();
|
||||
}
|
||||
}
|
||||
}
|
||||
_loading = false;
|
||||
}
|
||||
|
||||
|
||||
void InputRecorder::stopRecording() {
|
||||
_recording = false;
|
||||
_framesRecorded = (int)_actionStateList.size();
|
||||
}
|
||||
|
||||
|
||||
void InputRecorder::startPlayback() {
|
||||
_playback = true;
|
||||
_recording = false;
|
||||
|
|
|
@ -1256,7 +1256,7 @@ float UserInputMapper::getActionState(Action action) const {
|
|||
Locker locker(_lock);
|
||||
|
||||
int index = toInt(action);
|
||||
if (index >= 0 && index < _actionStates.size()) {
|
||||
if (index >= 0 && (unsigned int)index < _actionStates.size()) {
|
||||
return _actionStates[index];
|
||||
}
|
||||
|
||||
|
@ -1268,7 +1268,7 @@ bool UserInputMapper::getActionStateValid(Action action) const {
|
|||
Locker locker(_lock);
|
||||
|
||||
int index = toInt(action);
|
||||
if (index >= 0 && index < _actionStatesValid.size()) {
|
||||
if (index >= 0 && (unsigned int)index < _actionStatesValid.size()) {
|
||||
return _actionStatesValid[index];
|
||||
}
|
||||
|
||||
|
|
|
@ -35,6 +35,7 @@
|
|||
#include "EntityItem.h"
|
||||
#include "ModelEntityItem.h"
|
||||
#include "PolyLineEntityItem.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
AnimationPropertyGroup EntityItemProperties::_staticAnimation;
|
||||
SkyboxPropertyGroup EntityItemProperties::_staticSkybox;
|
||||
|
@ -810,8 +811,8 @@ EntityPropertyFlags EntityItemProperties::getChangedProperties() const {
|
|||
* unnecessary entity server updates. Scripts should not change this property's value.
|
||||
*
|
||||
* @property {string} actionData="" - Base-64 encoded compressed dump of the actions associated with the entity. This property
|
||||
* is typically not used in scripts directly; rather, functions that manipulate an entity's actions update it, e.g.,
|
||||
* {@link Entities.addAction}. The size of this property increases with the number of actions. Because this property value
|
||||
* is typically not used in scripts directly; rather, functions that manipulate an entity's actions update it, e.g.,
|
||||
* {@link Entities.addAction}. The size of this property increases with the number of actions. Because this property value
|
||||
* has to fit within a Overte datagram packet, there is a limit to the number of actions that an entity can have;
|
||||
* edits which would result in overflow are rejected. <em>Read-only.</em>
|
||||
* @property {Entities.RenderInfo} renderInfo - Information on the cost of rendering the entity. Currently information is only
|
||||
|
@ -1261,8 +1262,8 @@ EntityPropertyFlags EntityItemProperties::getChangedProperties() const {
|
|||
* @property {string} voxelData="ABAAEAAQAAAAHgAAEAB42u3BAQ0AAADCoPdPbQ8HFAAAAPBuEAAAAQ==" - Base-64 encoded compressed dump of
|
||||
* the PolyVox data. This property is typically not used in scripts directly; rather, functions that manipulate a PolyVox
|
||||
* entity update it.
|
||||
* <p>The size of this property increases with the size and complexity of the PolyVox entity, with the size depending on how
|
||||
* the particular entity's voxels compress. Because this property value has to fit within a Overte datagram packet,
|
||||
* <p>The size of this property increases with the size and complexity of the PolyVox entity, with the size depending on how
|
||||
* the particular entity's voxels compress. Because this property value has to fit within a Overte datagram packet,
|
||||
* there is a limit to the size and complexity of a PolyVox entity; edits which would result in an overflow are rejected.</p>
|
||||
* @property {Entities.PolyVoxSurfaceStyle} voxelSurfaceStyle=2 - The style of rendering the voxels' surface and how
|
||||
* neighboring PolyVox entities are joined.
|
||||
|
@ -1413,7 +1414,7 @@ EntityPropertyFlags EntityItemProperties::getChangedProperties() const {
|
|||
* <code>false</code> if the web entity's background should be transparent. The webpage must have CSS properties for transparency set
|
||||
* on the <code>background-color</code> for this property to have an effect.
|
||||
* @property {string} userAgent - The user agent for the web entity to use when visiting web pages.
|
||||
* Default value: <code>Mozilla/5.0 (Linux; Android 6.0; Nexus 5 Build/MRA58N) AppleWebKit/537.36 (KHTML, like Gecko)
|
||||
* Default value: <code>Mozilla/5.0 (Linux; Android 6.0; Nexus 5 Build/MRA58N) AppleWebKit/537.36 (KHTML, like Gecko)
|
||||
* Chrome/69.0.3497.113 Mobile Safari/537.36</code>
|
||||
* @example <caption>Create a Web entity displaying at 1920 x 1080 resolution.</caption>
|
||||
* var METERS_TO_INCHES = 39.3701;
|
||||
|
@ -3976,45 +3977,29 @@ QVector<vec3> EntityItemProperties::unpackStrokeColors(const QByteArray& strokeC
|
|||
// edit packet sender...
|
||||
bool EntityItemProperties::encodeEraseEntityMessage(const EntityItemID& entityItemID, QByteArray& buffer) {
|
||||
|
||||
char* copyAt = buffer.data();
|
||||
uint16_t numberOfIds = 1; // only one entity ID in this message
|
||||
|
||||
int outputLength = 0;
|
||||
|
||||
if (buffer.size() < (int)(sizeof(numberOfIds) + NUM_BYTES_RFC4122_UUID)) {
|
||||
qCDebug(entities) << "ERROR - encodeEraseEntityMessage() called with buffer that is too small!";
|
||||
return false;
|
||||
}
|
||||
|
||||
memcpy(copyAt, &numberOfIds, sizeof(numberOfIds));
|
||||
copyAt += sizeof(numberOfIds);
|
||||
outputLength = sizeof(numberOfIds);
|
||||
|
||||
memcpy(copyAt, entityItemID.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
outputLength += NUM_BYTES_RFC4122_UUID;
|
||||
|
||||
buffer.resize(outputLength);
|
||||
buffer.resize(0);
|
||||
buffer.append(reinterpret_cast<char*>(&numberOfIds), sizeof(numberOfIds));
|
||||
buffer.append(entityItemID.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
bool EntityItemProperties::encodeCloneEntityMessage(const EntityItemID& entityIDToClone, const EntityItemID& newEntityID, QByteArray& buffer) {
|
||||
char* copyAt = buffer.data();
|
||||
int outputLength = 0;
|
||||
|
||||
if (buffer.size() < (int)(NUM_BYTES_RFC4122_UUID * 2)) {
|
||||
qCDebug(entities) << "ERROR - encodeCloneEntityMessage() called with buffer that is too small!";
|
||||
return false;
|
||||
}
|
||||
|
||||
memcpy(copyAt, entityIDToClone.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
copyAt += NUM_BYTES_RFC4122_UUID;
|
||||
outputLength += NUM_BYTES_RFC4122_UUID;
|
||||
|
||||
memcpy(copyAt, newEntityID.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
outputLength += NUM_BYTES_RFC4122_UUID;
|
||||
|
||||
buffer.resize(outputLength);
|
||||
buffer.resize(0);
|
||||
buffer.append(entityIDToClone.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
buffer.append(newEntityID.toRfc4122().constData(), NUM_BYTES_RFC4122_UUID);
|
||||
|
||||
return true;
|
||||
}
|
||||
|
@ -5097,6 +5082,9 @@ QByteArray EntityItemProperties::getStaticCertificateHash() const {
|
|||
// I also don't like the nested-if style, but for this step I'm deliberately preserving the similarity.
|
||||
bool EntityItemProperties::verifySignature(const QString& publicKey, const QByteArray& digestByteArray, const QByteArray& signatureByteArray) {
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// We're not really verifying these anymore
|
||||
|
||||
if (digestByteArray.isEmpty()) {
|
||||
return false;
|
||||
}
|
||||
|
@ -5167,6 +5155,8 @@ bool EntityItemProperties::verifySignature(const QString& publicKey, const QByte
|
|||
qCWarning(entities) << "Failed to verify signature! key" << publicKey << " EC PEM error:" << error_str;
|
||||
return false;
|
||||
}
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
|
||||
bool EntityItemProperties::verifyStaticCertificateProperties() {
|
||||
|
@ -5202,7 +5192,9 @@ void EntityItemProperties::convertToCloneProperties(const EntityItemID& entityID
|
|||
bool EntityItemProperties::blobToProperties(QScriptEngine& scriptEngine, const QByteArray& blob, EntityItemProperties& properties) {
|
||||
// DANGER: this method is NOT efficient.
|
||||
// begin recipe for converting unfortunately-formatted-binary-blob to EntityItemProperties
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
QJsonDocument jsonProperties = QJsonDocument::fromBinaryData(blob);
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
if (jsonProperties.isEmpty() || jsonProperties.isNull() || !jsonProperties.isObject() || jsonProperties.object().isEmpty()) {
|
||||
qCDebug(entities) << "bad avatarEntityData json" << QString(blob.toHex());
|
||||
return false;
|
||||
|
@ -5232,7 +5224,9 @@ void EntityItemProperties::propertiesToBlob(QScriptEngine& scriptEngine, const Q
|
|||
}
|
||||
}
|
||||
jsonProperties = QJsonDocument(jsonObject);
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
blob = jsonProperties.toBinaryData();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
// end recipe
|
||||
}
|
||||
|
||||
|
|
|
@ -247,7 +247,7 @@ glm::uint32 scriptable::ScriptableMeshPart::fillAttribute(const QString& attribu
|
|||
QVector<glm::uint32> scriptable::ScriptableMeshPart::findNearbyPartVertexIndices(const glm::vec3& origin, float epsilon) const {
|
||||
QSet<glm::uint32> result;
|
||||
if (!isValid()) {
|
||||
return result.toList().toVector();
|
||||
return result.values().toVector();
|
||||
}
|
||||
auto mesh = getMeshPointer();
|
||||
auto offset = getFirstVertexIndex();
|
||||
|
@ -266,7 +266,7 @@ QVector<glm::uint32> scriptable::ScriptableMeshPart::findNearbyPartVertexIndices
|
|||
result << vertexIndex;
|
||||
}
|
||||
}
|
||||
return result.toList().toVector();
|
||||
return result.values().toVector();
|
||||
}
|
||||
|
||||
scriptable::ScriptableMeshPartPointer scriptable::ScriptableMeshPart::cloneMeshPart() {
|
||||
|
|
|
@ -175,7 +175,7 @@ graphics::MeshPointer Mesh::map(std::function<glm::vec3(glm::vec3)> vertexFunc,
|
|||
gpu::BufferView::Index numColors = (gpu::BufferView::Index)colorsBufferView.getNumElements();
|
||||
|
||||
gpu::Resource::Size colorSize = numColors * sizeof(glm::vec3);
|
||||
std::unique_ptr<unsigned char> resultColorData{ new unsigned char[colorSize] };
|
||||
std::unique_ptr<unsigned char[]> resultColorData{ new unsigned char[colorSize] };
|
||||
unsigned char* colorDataCursor = resultColorData.get();
|
||||
auto colorAttribute = vertexFormat->getAttribute(attributeTypeColor);
|
||||
|
||||
|
@ -200,7 +200,7 @@ graphics::MeshPointer Mesh::map(std::function<glm::vec3(glm::vec3)> vertexFunc,
|
|||
const gpu::BufferView& normalsBufferView = getAttributeBuffer(attributeTypeNormal);
|
||||
gpu::BufferView::Index numNormals = (gpu::BufferView::Index)normalsBufferView.getNumElements();
|
||||
gpu::Resource::Size normalSize = numNormals * sizeof(glm::vec3);
|
||||
std::unique_ptr<unsigned char> resultNormalData{ new unsigned char[normalSize] };
|
||||
std::unique_ptr<unsigned char[]> resultNormalData{ new unsigned char[normalSize] };
|
||||
unsigned char* normalDataCursor = resultNormalData.get();
|
||||
auto normalAttribute = vertexFormat->getAttribute(attributeTypeNormal);
|
||||
|
||||
|
@ -226,7 +226,7 @@ graphics::MeshPointer Mesh::map(std::function<glm::vec3(glm::vec3)> vertexFunc,
|
|||
const gpu::BufferView& indexBufferView = getIndexBuffer();
|
||||
gpu::BufferView::Index numIndexes = (gpu::BufferView::Index)getNumIndices();
|
||||
gpu::Resource::Size indexSize = numIndexes * sizeof(uint32_t);
|
||||
std::unique_ptr<unsigned char> resultIndexData{ new unsigned char[indexSize] };
|
||||
std::unique_ptr<unsigned char[]> resultIndexData{ new unsigned char[indexSize] };
|
||||
unsigned char* indexDataCursor = resultIndexData.get();
|
||||
|
||||
for (gpu::BufferView::Index i = 0; i < numIndexes; i++) {
|
||||
|
@ -362,7 +362,7 @@ MeshPointer Mesh::createIndexedTriangles_P3F(uint32_t numVertices, uint32_t numI
|
|||
mesh->setIndexBuffer(gpu::BufferView(new gpu::Buffer(numIndices * sizeof(uint32_t), (gpu::Byte*) indices), gpu::Element::INDEX_INT32));
|
||||
}
|
||||
|
||||
|
||||
|
||||
std::vector<graphics::Mesh::Part> parts;
|
||||
parts.push_back(graphics::Mesh::Part(0, numIndices, 0, graphics::Mesh::TRIANGLES));
|
||||
mesh->setPartBuffer(gpu::BufferView(new gpu::Buffer(parts.size() * sizeof(graphics::Mesh::Part), (gpu::Byte*) parts.data()), gpu::Element::PART_DRAWCALL));
|
||||
|
|
|
@ -119,7 +119,7 @@ void GeometryReader::run() {
|
|||
QThread::currentThread()->setPriority(originalPriority);
|
||||
});
|
||||
|
||||
if (!_resource.data()) {
|
||||
if (!_resource.toStrongRef().data()) {
|
||||
return;
|
||||
}
|
||||
|
||||
|
|
|
@ -78,7 +78,7 @@ void AtpReply::handleRequestFinish() {
|
|||
setHeader(QNetworkRequest::ContentLengthHeader, QVariant(_content.size()));
|
||||
|
||||
if (error() != NoError) {
|
||||
emit error(error());
|
||||
emit errorOccurred(error());
|
||||
}
|
||||
|
||||
setFinished(true);
|
||||
|
|
|
@ -22,6 +22,7 @@
|
|||
#include <UUID.h>
|
||||
|
||||
#include "NetworkLogging.h"
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
#ifdef __clang__
|
||||
#pragma clang diagnostic ignored "-Wdeprecated-declarations"
|
||||
|
@ -68,7 +69,7 @@ void DataServerAccountInfo::setAccessTokenFromJSON(const QJsonObject& jsonObject
|
|||
void DataServerAccountInfo::setUsername(const QString& username) {
|
||||
if (_username != username) {
|
||||
_username = username;
|
||||
|
||||
|
||||
qCDebug(networking) << "Username changed to" << username;
|
||||
}
|
||||
}
|
||||
|
@ -120,6 +121,9 @@ QByteArray DataServerAccountInfo::getUsernameSignature(const QUuid& connectionTo
|
|||
}
|
||||
|
||||
QByteArray DataServerAccountInfo::signPlaintext(const QByteArray& plaintext) {
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Deprecated OpenSSL API code -- this should be fixed eventually.
|
||||
|
||||
if (!_privateKey.isEmpty()) {
|
||||
const char* privateKeyData = _privateKey.constData();
|
||||
RSA* rsaPrivateKey = d2i_RSAPrivateKey(NULL,
|
||||
|
@ -149,6 +153,7 @@ QByteArray DataServerAccountInfo::signPlaintext(const QByteArray& plaintext) {
|
|||
}
|
||||
}
|
||||
return QByteArray();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
|
||||
QDataStream& operator<<(QDataStream &out, const DataServerAccountInfo& info) {
|
||||
|
|
|
@ -17,6 +17,12 @@
|
|||
#include <QUuid>
|
||||
#include "NetworkLogging.h"
|
||||
#include <cassert>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Qt provides HMAC, do we actually need this here?
|
||||
// But for the time being, suppress this.
|
||||
|
||||
#if OPENSSL_VERSION_NUMBER >= 0x10100000
|
||||
HMACAuth::HMACAuth(AuthMethod authMethod)
|
||||
|
@ -88,9 +94,9 @@ HMACAuth::HMACHash HMACAuth::result() {
|
|||
HMACHash hashValue(EVP_MAX_MD_SIZE);
|
||||
unsigned int hashLen;
|
||||
QMutexLocker lock(&_lock);
|
||||
|
||||
|
||||
auto hmacResult = HMAC_Final(_hmacContext, &hashValue[0], &hashLen);
|
||||
|
||||
|
||||
if (hmacResult) {
|
||||
hashValue.resize((size_t)hashLen);
|
||||
} else {
|
||||
|
@ -115,3 +121,6 @@ bool HMACAuth::calculateHash(HMACHash& hashResult, const char* data, int dataLen
|
|||
hashResult = result();
|
||||
return true;
|
||||
}
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
|
|
|
@ -43,6 +43,7 @@
|
|||
#include "SharedUtil.h"
|
||||
#include <Trace.h>
|
||||
#include <ModerationFlags.h>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
using namespace std::chrono;
|
||||
|
||||
|
@ -187,7 +188,11 @@ qint64 NodeList::sendStats(QJsonObject statsObject, SockAddr destination) {
|
|||
auto statsPacketList = NLPacketList::create(PacketType::NodeJsonStats, QByteArray(), true, true);
|
||||
|
||||
QJsonDocument jsonDocument(statsObject);
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Can't use CBOR yet, will break protocol.
|
||||
statsPacketList->write(jsonDocument.toBinaryData());
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
sendPacketList(std::move(statsPacketList), destination);
|
||||
return 0;
|
||||
|
@ -496,8 +501,8 @@ void NodeList::sendDomainServerCheckIn() {
|
|||
|
||||
// pack our data to send to the domain-server including
|
||||
// the hostname information (so the domain-server can see which place name we came in on)
|
||||
packetStream << _ownerType.load() << publicSockAddr.getType() << publicSockAddr << localSockAddr.getType()
|
||||
<< localSockAddr << _nodeTypesOfInterest.toList();
|
||||
packetStream << _ownerType.load() << publicSockAddr.getType() << publicSockAddr << localSockAddr.getType()
|
||||
<< localSockAddr << _nodeTypesOfInterest.values();
|
||||
packetStream << DependencyManager::get<AddressManager>()->getPlaceName();
|
||||
|
||||
if (!domainIsConnected) {
|
||||
|
@ -828,7 +833,7 @@ void NodeList::processDomainList(QSharedPointer<ReceivedMessage> message) {
|
|||
|
||||
// FIXME: Remove this call to requestDomainSettings() and reinstate the one in DomainHandler::setIsConnected(), in version
|
||||
// 2021.2.0. (New protocol version implies a domain server upgrade.)
|
||||
if (!_domainHandler.isConnected()
|
||||
if (!_domainHandler.isConnected()
|
||||
&& _domainHandler.getScheme() == URL_SCHEME_VIRCADIA && !_domainHandler.getHostname().isEmpty()) {
|
||||
// We're about to connect but we need the domain settings (in particular, the node permissions) in order to adjust the
|
||||
// canRezAvatarEntities permission above before using the permissions in determining whether or not to connect without
|
||||
|
@ -1422,7 +1427,7 @@ bool NodeList::adjustCanRezAvatarEntitiesPermissions(const QJsonObject& domainSe
|
|||
|
||||
const double CANREZAVATARENTITIES_INTRODUCED_VERSION = 2.5;
|
||||
auto version = domainSettingsObject.value("version");
|
||||
if (version.isUndefined() || version.isDouble() && version.toDouble() < CANREZAVATARENTITIES_INTRODUCED_VERSION) {
|
||||
if (version.isUndefined() || (version.isDouble() && version.toDouble() < CANREZAVATARENTITIES_INTRODUCED_VERSION)) {
|
||||
// On domains without the canRezAvatarEntities permission available, set it to the same as canConnectToDomain.
|
||||
if (permissions.can(NodePermissions::Permission::canConnectToDomain)) {
|
||||
if (!permissions.can(NodePermissions::Permission::canRezAvatarEntities)) {
|
||||
|
|
|
@ -18,10 +18,15 @@
|
|||
#include <qdebug.h>
|
||||
|
||||
#include "NetworkLogging.h"
|
||||
#include "WarningsSuppression.h"
|
||||
#ifdef __clang__
|
||||
#pragma clang diagnostic ignored "-Wdeprecated-declarations"
|
||||
#endif
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Deprecated OpenSSL functions being used here.
|
||||
// Should look into modernizing this.
|
||||
|
||||
RSAKeypairGenerator::RSAKeypairGenerator(QObject* parent) :
|
||||
QObject(parent)
|
||||
{
|
||||
|
@ -33,70 +38,73 @@ void RSAKeypairGenerator::run() {
|
|||
}
|
||||
|
||||
void RSAKeypairGenerator::generateKeypair() {
|
||||
|
||||
|
||||
RSA* keyPair = RSA_new();
|
||||
BIGNUM* exponent = BN_new();
|
||||
|
||||
|
||||
const unsigned long RSA_KEY_EXPONENT = 65537;
|
||||
BN_set_word(exponent, RSA_KEY_EXPONENT);
|
||||
|
||||
|
||||
// seed the random number generator before we call RSA_generate_key_ex
|
||||
srand(time(NULL));
|
||||
|
||||
|
||||
const int RSA_KEY_BITS = 2048;
|
||||
|
||||
|
||||
if (!RSA_generate_key_ex(keyPair, RSA_KEY_BITS, exponent, NULL)) {
|
||||
qCDebug(networking) << "Error generating 2048-bit RSA Keypair -" << ERR_get_error();
|
||||
|
||||
|
||||
emit errorGeneratingKeypair();
|
||||
|
||||
|
||||
// we're going to bust out of here but first we cleanup the BIGNUM
|
||||
BN_free(exponent);
|
||||
return;
|
||||
}
|
||||
qCDebug(networking) << "KEYPAIR: OpenSSL generated a" << RSA_KEY_BITS << "bit RSA key-pair";
|
||||
|
||||
|
||||
// we don't need the BIGNUM anymore so clean that up
|
||||
BN_free(exponent);
|
||||
|
||||
|
||||
// grab the public key and private key from the file
|
||||
unsigned char* publicKeyDER = NULL;
|
||||
int publicKeyLength = i2d_RSAPublicKey(keyPair, &publicKeyDER);
|
||||
|
||||
|
||||
unsigned char* privateKeyDER = NULL;
|
||||
int privateKeyLength = i2d_RSAPrivateKey(keyPair, &privateKeyDER);
|
||||
|
||||
|
||||
if (publicKeyLength <= 0 || privateKeyLength <= 0) {
|
||||
qCDebug(networking) << "Error getting DER public or private key from RSA struct -" << ERR_get_error();
|
||||
|
||||
|
||||
emit errorGeneratingKeypair();
|
||||
|
||||
|
||||
// cleanup the RSA struct
|
||||
RSA_free(keyPair);
|
||||
|
||||
|
||||
// cleanup the public and private key DER data, if required
|
||||
if (publicKeyLength > 0) {
|
||||
OPENSSL_free(publicKeyDER);
|
||||
}
|
||||
|
||||
|
||||
if (privateKeyLength > 0) {
|
||||
OPENSSL_free(privateKeyDER);
|
||||
}
|
||||
|
||||
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
// we have the public key and private key in memory
|
||||
// we can cleanup the RSA struct before we continue on
|
||||
RSA_free(keyPair);
|
||||
|
||||
|
||||
_publicKey = QByteArray { reinterpret_cast<char*>(publicKeyDER), publicKeyLength };
|
||||
_privateKey = QByteArray { reinterpret_cast<char*>(privateKeyDER), privateKeyLength };
|
||||
|
||||
|
||||
// cleanup the publicKeyDER and publicKeyDER data
|
||||
OPENSSL_free(publicKeyDER);
|
||||
OPENSSL_free(privateKeyDER);
|
||||
|
||||
|
||||
qCDebug(networking) << "KEYPAIR: emitting generated signal and finishing";
|
||||
emit generatedKeypair(_publicKey, _privateKey);
|
||||
}
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
|
|
|
@ -97,7 +97,7 @@ void ResourceCacheSharedItems::removeRequest(QWeakPointer<Resource> resource) {
|
|||
for (int i = 0; i < _loadingRequests.size();) {
|
||||
auto request = _loadingRequests.at(i);
|
||||
// Clear our resource and any freed resources
|
||||
if (!request || request.data() == resource.data()) {
|
||||
if (!request || request.toStrongRef().data() == resource.toStrongRef().data()) {
|
||||
_loadingRequests.removeAt(i);
|
||||
continue;
|
||||
}
|
||||
|
|
|
@ -83,7 +83,7 @@ void SockAddr::swap(SockAddr& otherSockAddr) {
|
|||
swap(_socketType, otherSockAddr._socketType);
|
||||
swap(_address, otherSockAddr._address);
|
||||
swap(_port, otherSockAddr._port);
|
||||
|
||||
|
||||
// Swap objects name
|
||||
auto temp = otherSockAddr.objectName();
|
||||
otherSockAddr.setObjectName(objectName());
|
||||
|
@ -135,8 +135,8 @@ bool SockAddr::hasPrivateAddress() const {
|
|||
QDebug operator<<(QDebug debug, const SockAddr& sockAddr) {
|
||||
debug.nospace()
|
||||
<< (sockAddr._socketType != SocketType::Unknown
|
||||
? (SocketTypeToString::socketTypeToString(sockAddr._socketType) + " ").toLocal8Bit().constData() : "")
|
||||
<< sockAddr._address.toString().toLocal8Bit().constData() << ":" << sockAddr._port;
|
||||
? (SocketTypeToString::socketTypeToString(sockAddr._socketType) + " ") : QString(""))
|
||||
<< sockAddr._address.toString() << ":" << sockAddr._port;
|
||||
return debug.space();
|
||||
}
|
||||
|
||||
|
|
|
@ -157,7 +157,7 @@ qint64 NetworkSocket::bytesToWrite(SocketType socketType, const SockAddr& addres
|
|||
|
||||
|
||||
bool NetworkSocket::hasPendingDatagrams() const {
|
||||
return
|
||||
return
|
||||
#if defined(WEBRTC_DATA_CHANNELS)
|
||||
_webrtcSocket.hasPendingDatagrams() ||
|
||||
#endif
|
||||
|
@ -193,7 +193,7 @@ qint64 NetworkSocket::readDatagram(char* data, qint64 maxSize, SockAddr* sockAdd
|
|||
#if defined(WEBRTC_DATA_CHANNELS)
|
||||
// Read per preceding pendingDatagramSize() if any, otherwise alternate socket types.
|
||||
if (_pendingDatagramSizeSocketType == SocketType::UDP
|
||||
|| _pendingDatagramSizeSocketType == SocketType::Unknown && _lastSocketTypeRead == SocketType::WebRTC) {
|
||||
|| (_pendingDatagramSizeSocketType == SocketType::Unknown && _lastSocketTypeRead == SocketType::WebRTC)) {
|
||||
_lastSocketTypeRead = SocketType::UDP;
|
||||
_pendingDatagramSizeSocketType = SocketType::Unknown;
|
||||
if (sockAddr) {
|
||||
|
|
|
@ -394,8 +394,8 @@ qint64 WDCConnection::getBufferedAmount() const {
|
|||
#ifdef WEBRTC_DEBUG
|
||||
qCDebug(networking_webrtc) << "WDCConnection::getBufferedAmount()";
|
||||
#endif
|
||||
return _dataChannel && _dataChannel->state() != DataChannelInterface::kClosing
|
||||
&& _dataChannel->state() != DataChannelInterface::kClosed
|
||||
return _dataChannel && _dataChannel->state() != DataChannelInterface::kClosing
|
||||
&& _dataChannel->state() != DataChannelInterface::kClosed
|
||||
? _dataChannel->buffered_amount() : 0;
|
||||
}
|
||||
|
||||
|
@ -407,7 +407,7 @@ bool WDCConnection::sendDataMessage(const DataBuffer& buffer) {
|
|||
qCDebug(networking_webrtc) << "No data channel to send on";
|
||||
}
|
||||
#endif
|
||||
if (!_dataChannel || _dataChannel->state() == DataChannelInterface::kClosing
|
||||
if (!_dataChannel || _dataChannel->state() == DataChannelInterface::kClosing
|
||||
|| _dataChannel->state() == DataChannelInterface::kClosed) {
|
||||
// Data channel may have been closed while message to send was being prepared.
|
||||
return false;
|
||||
|
@ -508,8 +508,8 @@ void WebRTCDataChannels::onSignalingMessage(const QJsonObject& message) {
|
|||
auto data = message.value("data").isObject() ? message.value("data").toObject() : QJsonObject();
|
||||
auto from = message.value("from").toString();
|
||||
auto to = NodeType::fromChar(message.value("to").toString().at(0));
|
||||
if (!DATA_CHANNEL_ID_REGEX.match(from).hasMatch() || to == NodeType::Unassigned
|
||||
|| !data.contains("description") && !data.contains("candidate")) {
|
||||
if (!DATA_CHANNEL_ID_REGEX.match(from).hasMatch() || to == NodeType::Unassigned
|
||||
|| (!data.contains("description") && !data.contains("candidate"))) {
|
||||
qCWarning(networking_webrtc) << "Invalid or unexpected signaling message:"
|
||||
<< QJsonDocument(message).toJson(QJsonDocument::Compact).left(MAX_DEBUG_DETAIL_LENGTH);
|
||||
return;
|
||||
|
@ -625,7 +625,7 @@ void WebRTCDataChannels::closePeerConnection(WDCConnection* connection) {
|
|||
#ifdef WEBRTC_DEBUG
|
||||
qCDebug(networking_webrtc) << "WebRTCDataChannels::closePeerConnection()";
|
||||
#endif
|
||||
// Use Qt's signals/slots mechanism to close the peer connection on its own call stack, separate from the DataChannel
|
||||
// Use Qt's signals/slots mechanism to close the peer connection on its own call stack, separate from the DataChannel
|
||||
// callback that initiated the peer connection.
|
||||
// https://bugs.chromium.org/p/webrtc/issues/detail?id=3721
|
||||
emit closePeerConnectionSoon(connection);
|
||||
|
|
|
@ -442,12 +442,12 @@ void OctreeElement::printDebugDetails(const char* label) const {
|
|||
}
|
||||
}
|
||||
|
||||
QString resultString;
|
||||
resultString.sprintf("%s - Voxel at corner=(%f,%f,%f) size=%f\n isLeaf=%s isDirty=%s shouldRender=%s\n children=", label,
|
||||
(double)_cube.getCorner().x, (double)_cube.getCorner().y, (double)_cube.getCorner().z,
|
||||
(double)_cube.getScale(),
|
||||
debug::valueOf(isLeaf()), debug::valueOf(isDirty()), debug::valueOf(getShouldRender()));
|
||||
qCDebug(octree).nospace() << resultString;
|
||||
qCDebug(octree).noquote() << label
|
||||
<< QString(" - Voxel at corner=(%1,%2,%3)").arg((double)_cube.getCorner().x, (double)_cube.getCorner().y, (double)_cube.getCorner().z)
|
||||
<< "size=" << (double)_cube.getScale()
|
||||
<< " isLeaf=" << debug::valueOf(isLeaf())
|
||||
<< " isDirty=" << debug::valueOf(isDirty())
|
||||
<< " shouldRender=" << debug::valueOf(getShouldRender());
|
||||
}
|
||||
|
||||
float OctreeElement::getEnclosingRadius() const {
|
||||
|
|
|
@ -17,6 +17,7 @@
|
|||
|
||||
#include <GLMHelpers.h>
|
||||
#include <udt/PacketHeaders.h>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
OctreeQuery::OctreeQuery(bool randomizeConnectionID) {
|
||||
if (randomizeConnectionID) {
|
||||
|
@ -49,7 +50,7 @@ int OctreeQuery::getBroadcastData(unsigned char* destinationBuffer) {
|
|||
destinationBuffer += view.serialize(destinationBuffer);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
// desired Max Octree PPS
|
||||
memcpy(destinationBuffer, &_maxQueryPPS, sizeof(_maxQueryPPS));
|
||||
destinationBuffer += sizeof(_maxQueryPPS);
|
||||
|
@ -61,19 +62,22 @@ int OctreeQuery::getBroadcastData(unsigned char* destinationBuffer) {
|
|||
// desired boundaryLevelAdjust
|
||||
memcpy(destinationBuffer, &_boundaryLevelAdjust, sizeof(_boundaryLevelAdjust));
|
||||
destinationBuffer += sizeof(_boundaryLevelAdjust);
|
||||
|
||||
|
||||
// create a QByteArray that holds the binary representation of the JSON parameters
|
||||
QByteArray binaryParametersDocument;
|
||||
|
||||
|
||||
if (!_jsonParameters.isEmpty()) {
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Can't use CBOR yet, will break the protocol.
|
||||
binaryParametersDocument = QJsonDocument(_jsonParameters).toBinaryData();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
|
||||
|
||||
// write the size of the JSON parameters
|
||||
uint16_t binaryParametersBytes = binaryParametersDocument.size();
|
||||
memcpy(destinationBuffer, &binaryParametersBytes, sizeof(binaryParametersBytes));
|
||||
destinationBuffer += sizeof(binaryParametersBytes);
|
||||
|
||||
|
||||
// pack the binary JSON parameters
|
||||
// NOTE: for now we assume that the filters that will be set are all small enough that we will not have a packet > MTU
|
||||
if (binaryParametersDocument.size() > 0) {
|
||||
|
@ -91,7 +95,7 @@ int OctreeQuery::getBroadcastData(unsigned char* destinationBuffer) {
|
|||
|
||||
// called on the other nodes - assigns it to my views of the others
|
||||
int OctreeQuery::parseData(ReceivedMessage& message) {
|
||||
|
||||
|
||||
const unsigned char* startPosition = reinterpret_cast<const unsigned char*>(message.getRawMessage());
|
||||
const unsigned char* sourceBuffer = startPosition;
|
||||
|
||||
|
@ -141,21 +145,23 @@ int OctreeQuery::parseData(ReceivedMessage& message) {
|
|||
// desired boundaryLevelAdjust
|
||||
memcpy(&_boundaryLevelAdjust, sourceBuffer, sizeof(_boundaryLevelAdjust));
|
||||
sourceBuffer += sizeof(_boundaryLevelAdjust);
|
||||
|
||||
|
||||
// check if we have a packed JSON filter
|
||||
uint16_t binaryParametersBytes;
|
||||
memcpy(&binaryParametersBytes, sourceBuffer, sizeof(binaryParametersBytes));
|
||||
sourceBuffer += sizeof(binaryParametersBytes);
|
||||
|
||||
|
||||
if (binaryParametersBytes > 0) {
|
||||
// unpack the binary JSON parameters
|
||||
QByteArray binaryJSONParameters { binaryParametersBytes, 0 };
|
||||
memcpy(binaryJSONParameters.data(), sourceBuffer, binaryParametersBytes);
|
||||
sourceBuffer += binaryParametersBytes;
|
||||
|
||||
|
||||
// grab the parameter object from the packed binary representation of JSON
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
auto newJsonDocument = QJsonDocument::fromBinaryData(binaryJSONParameters);
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
QWriteLocker jsonParameterLocker { &_jsonParametersLock };
|
||||
_jsonParameters = newJsonDocument.object();
|
||||
}
|
||||
|
|
|
@ -35,7 +35,7 @@
|
|||
using namespace hifi::qml;
|
||||
using namespace hifi::qml::impl;
|
||||
|
||||
QmlUrlValidator OffscreenSurface::validator = [](const QUrl& url) -> bool {
|
||||
QmlUrlValidator OffscreenSurface::validator = [](const QUrl& url) -> bool {
|
||||
if (url.isRelative()) {
|
||||
return true;
|
||||
}
|
||||
|
@ -173,9 +173,13 @@ bool OffscreenSurface::eventFilter(QObject* originalDestination, QEvent* event)
|
|||
|
||||
case QEvent::Wheel: {
|
||||
QWheelEvent* wheelEvent = static_cast<QWheelEvent*>(event);
|
||||
QPointF transformedPos = mapToVirtualScreen(wheelEvent->pos());
|
||||
QWheelEvent mappedEvent(transformedPos, wheelEvent->delta(), wheelEvent->buttons(), wheelEvent->modifiers(),
|
||||
wheelEvent->orientation());
|
||||
QPointF transformedPos = mapToVirtualScreen(wheelEvent->position());
|
||||
|
||||
|
||||
QWheelEvent mappedEvent(transformedPos, wheelEvent->globalPosition(), wheelEvent->pixelDelta(), wheelEvent->angleDelta(),
|
||||
wheelEvent->buttons(), wheelEvent->modifiers(), wheelEvent->phase(),
|
||||
wheelEvent->inverted(), wheelEvent->source());
|
||||
|
||||
mappedEvent.ignore();
|
||||
if (QCoreApplication::sendEvent(_sharedObject->getWindow(), &mappedEvent)) {
|
||||
return mappedEvent.isAccepted();
|
||||
|
|
|
@ -18,6 +18,7 @@
|
|||
#include <QtCore/QJsonObject>
|
||||
#include <QtCore/QBuffer>
|
||||
#include <QtCore/QDebug>
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
using namespace recording;
|
||||
|
||||
|
@ -104,7 +105,10 @@ bool Clip::write(QIODevice& output) {
|
|||
rootObject.insert(FRAME_TYPE_MAP, frameTypeObj);
|
||||
// Always mark new files as compressed
|
||||
rootObject.insert(FRAME_COMREPSSION_FLAG, true);
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Can't use CBOR yet, will break the protocol.
|
||||
QByteArray headerFrameData = QJsonDocument(rootObject).toBinaryData();
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
// Never compress the header frame
|
||||
if (!writeFrame(output, Frame({ Frame::TYPE_HEADER, 0, headerFrameData }), false)) {
|
||||
return false;
|
||||
|
|
|
@ -19,7 +19,7 @@
|
|||
#include "../Frame.h"
|
||||
#include "../Logging.h"
|
||||
#include "BufferClip.h"
|
||||
|
||||
#include "WarningsSuppression.h"
|
||||
|
||||
using namespace recording;
|
||||
|
||||
|
@ -106,7 +106,11 @@ void PointerClip::init(uchar* data, size_t size) {
|
|||
}
|
||||
|
||||
QByteArray fileHeaderData((char*)_data + fileHeaderFrameHeader.fileOffset, fileHeaderFrameHeader.size);
|
||||
|
||||
OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
// Can't use CBOR yet, will break the protocol.
|
||||
_header = QJsonDocument::fromBinaryData(fileHeaderData);
|
||||
OVERTE_IGNORE_DEPRECATED_END
|
||||
}
|
||||
|
||||
// Check for compression
|
||||
|
|
|
@ -33,11 +33,11 @@ QObject(scriptEngine),
|
|||
QScriptClass(scriptEngine) {
|
||||
qScriptRegisterMetaType<QByteArray>(engine(), toScriptValue, fromScriptValue);
|
||||
QScriptValue global = engine()->globalObject();
|
||||
|
||||
|
||||
// Save string handles for quick lookup
|
||||
_name = engine()->toStringHandle(CLASS_NAME.toLatin1());
|
||||
_byteLength = engine()->toStringHandle(BYTE_LENGTH_PROPERTY_NAME.toLatin1());
|
||||
|
||||
|
||||
// build prototype
|
||||
_proto = engine()->newQObject(new ArrayBufferPrototype(this),
|
||||
QScriptEngine::QtOwnership,
|
||||
|
@ -45,13 +45,13 @@ QScriptClass(scriptEngine) {
|
|||
QScriptEngine::ExcludeSuperClassMethods |
|
||||
QScriptEngine::ExcludeSuperClassProperties);
|
||||
_proto.setPrototype(global.property("Object").property("prototype"));
|
||||
|
||||
|
||||
// Register constructor
|
||||
_ctor = engine()->newFunction(construct, _proto);
|
||||
_ctor.setData(engine()->toScriptValue(this));
|
||||
|
||||
|
||||
engine()->globalObject().setProperty(name(), _ctor);
|
||||
|
||||
|
||||
// Registering other array types
|
||||
// The script engine is there parent so it'll delete them with itself
|
||||
new DataViewClass(scriptEngine);
|
||||
|
@ -101,16 +101,16 @@ QScriptValue ArrayBufferClass::construct(QScriptContext* context, QScriptEngine*
|
|||
if (!arg.isValid() || !arg.isNumber()) {
|
||||
return QScriptValue();
|
||||
}
|
||||
|
||||
|
||||
quint32 size = arg.toInt32();
|
||||
QScriptValue newObject = cls->newInstance(size);
|
||||
|
||||
|
||||
if (context->isCalledAsConstructor()) {
|
||||
// if called with keyword new, replace this object.
|
||||
context->setThisObject(newObject);
|
||||
return engine->undefinedValue();
|
||||
}
|
||||
|
||||
|
||||
return newObject;
|
||||
}
|
||||
|
||||
|
@ -122,7 +122,7 @@ QScriptClass::QueryFlags ArrayBufferClass::queryProperty(const QScriptValue& obj
|
|||
// if the property queried is byteLength, only handle read access
|
||||
return flags &= HandlesReadAccess;
|
||||
}
|
||||
return 0; // No access
|
||||
return QScriptClass::QueryFlags(); // No access
|
||||
}
|
||||
|
||||
QScriptValue ArrayBufferClass::property(const QScriptValue& object,
|
||||
|
|
|
@ -29,7 +29,7 @@ QScriptClass::QueryFlags ArrayBufferViewClass::queryProperty(const QScriptValue&
|
|||
if (name == _bufferName || name == _byteOffsetName || name == _byteLengthName) {
|
||||
return flags &= HandlesReadAccess; // Only keep read access flags
|
||||
}
|
||||
return 0; // No access
|
||||
return QScriptClass::QueryFlags(); // No access
|
||||
}
|
||||
|
||||
QScriptValue ArrayBufferViewClass::property(const QScriptValue& object,
|
||||
|
|
|
@ -24,11 +24,11 @@
|
|||
#include "ScriptEngines.h"
|
||||
#include "ScriptCache.h"
|
||||
|
||||
BatchLoader::BatchLoader(const QList<QUrl>& urls)
|
||||
BatchLoader::BatchLoader(const QList<QUrl>& urls)
|
||||
: QObject(),
|
||||
_started(false),
|
||||
_finished(false),
|
||||
_urls(urls.toSet()),
|
||||
_urls(QSet<QUrl>(urls.begin(), urls.end())),
|
||||
_data(),
|
||||
_status() {
|
||||
qRegisterMetaType<QMap<QUrl, QString>>("QMap<QUrl, QString>");
|
||||
|
|
|
@ -60,19 +60,19 @@ QScriptValue ModelScriptingInterface::appendMeshes(MeshProxyList in) {
|
|||
|
||||
// alloc the resulting mesh
|
||||
gpu::Resource::Size combinedVertexSize = totalVertexCount * sizeof(glm::vec3);
|
||||
std::unique_ptr<unsigned char> combinedVertexData{ new unsigned char[combinedVertexSize] };
|
||||
std::unique_ptr<unsigned char[]> combinedVertexData{ new unsigned char[combinedVertexSize] };
|
||||
unsigned char* combinedVertexDataCursor = combinedVertexData.get();
|
||||
|
||||
gpu::Resource::Size combinedColorSize = totalColorCount * sizeof(glm::vec3);
|
||||
std::unique_ptr<unsigned char> combinedColorData{ new unsigned char[combinedColorSize] };
|
||||
std::unique_ptr<unsigned char[]> combinedColorData{ new unsigned char[combinedColorSize] };
|
||||
unsigned char* combinedColorDataCursor = combinedColorData.get();
|
||||
|
||||
gpu::Resource::Size combinedNormalSize = totalNormalCount * sizeof(glm::vec3);
|
||||
std::unique_ptr<unsigned char> combinedNormalData{ new unsigned char[combinedNormalSize] };
|
||||
std::unique_ptr<unsigned char[]> combinedNormalData{ new unsigned char[combinedNormalSize] };
|
||||
unsigned char* combinedNormalDataCursor = combinedNormalData.get();
|
||||
|
||||
gpu::Resource::Size combinedIndexSize = totalIndexCount * sizeof(uint32_t);
|
||||
std::unique_ptr<unsigned char> combinedIndexData{ new unsigned char[combinedIndexSize] };
|
||||
std::unique_ptr<unsigned char[]> combinedIndexData{ new unsigned char[combinedIndexSize] };
|
||||
unsigned char* combinedIndexDataCursor = combinedIndexData.get();
|
||||
|
||||
uint32_t indexStartOffset { 0 };
|
||||
|
|
|
@ -139,7 +139,7 @@ static QScriptValue debugPrint(QScriptContext* context, QScriptEngine* engine) {
|
|||
QString fileName = contextInfo.fileName();
|
||||
int lineNumber = contextInfo.lineNumber();
|
||||
QString functionName = contextInfo.functionName();
|
||||
|
||||
|
||||
location = functionName;
|
||||
if (!fileName.isEmpty()) {
|
||||
if (location.isEmpty()) {
|
||||
|
@ -155,10 +155,10 @@ static QScriptValue debugPrint(QScriptContext* context, QScriptEngine* engine) {
|
|||
if (location.isEmpty()) {
|
||||
location = scriptEngine->getFilename();
|
||||
}
|
||||
|
||||
|
||||
// give the script engine a chance to notify the system about this message
|
||||
scriptEngine->print(message);
|
||||
|
||||
|
||||
// send the message to debug log
|
||||
qCDebug(scriptengine_script, "[%s] %s", qUtf8Printable(location), qUtf8Printable(message));
|
||||
} else {
|
||||
|
@ -366,20 +366,20 @@ void ScriptEngine::executeOnScriptThread(std::function<void()> function, const Q
|
|||
void ScriptEngine::waitTillDoneRunning(bool shutdown) {
|
||||
// Engine should be stopped already, but be defensive
|
||||
stop();
|
||||
|
||||
|
||||
auto workerThread = thread();
|
||||
|
||||
|
||||
if (workerThread == QThread::currentThread()) {
|
||||
qCWarning(scriptengine) << "ScriptEngine::waitTillDoneRunning called, but the script is on the same thread:" << getFilename();
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
if (_isThreaded && workerThread) {
|
||||
// We should never be waiting (blocking) on our own thread
|
||||
assert(workerThread != QThread::currentThread());
|
||||
|
||||
#if 0
|
||||
// 26 Feb 2021 - Disabled this OSX-specific code because it causes OSX to crash on shutdown; without this code, OSX
|
||||
// 26 Feb 2021 - Disabled this OSX-specific code because it causes OSX to crash on shutdown; without this code, OSX
|
||||
// doesn't crash on shutdown. Qt 5.12.3 and Qt 5.15.2.
|
||||
//
|
||||
// On mac, don't call QCoreApplication::processEvents() here. This is to prevent
|
||||
|
@ -1042,7 +1042,7 @@ void ScriptEngine::addEventHandler(const EntityItemID& entityID, const QString&
|
|||
};
|
||||
|
||||
/*@jsdoc
|
||||
* <p>The name of an entity event. When the entity event occurs, any function that has been registered for that event
|
||||
* <p>The name of an entity event. When the entity event occurs, any function that has been registered for that event
|
||||
* via {@link Script.addEventHandler} is called with parameters per the entity event.</p>
|
||||
* <table>
|
||||
* <thead>
|
||||
|
@ -1338,7 +1338,7 @@ void ScriptEngine::run() {
|
|||
|
||||
emit finished(_fileNameString, qSharedPointerCast<ScriptEngine>(sharedFromThis()));
|
||||
|
||||
// Don't leave our local-file-access flag laying around, reset it to false when the scriptengine
|
||||
// Don't leave our local-file-access flag laying around, reset it to false when the scriptengine
|
||||
// thread is finished
|
||||
hifi::scripting::setLocalAccessSafeThread(false);
|
||||
_isRunning = false;
|
||||
|
@ -1852,7 +1852,7 @@ QScriptValue ScriptEngine::require(const QString& moduleId) {
|
|||
// modules get cached in `Script.require.cache` and (similar to Node.js) users can access it
|
||||
// to inspect particular entries and invalidate them by deleting the key:
|
||||
// `delete Script.require.cache[Script.require.resolve(moduleId)];`
|
||||
|
||||
|
||||
// Check to see if we should invalidate the cache based on a user setting.
|
||||
Setting::Handle<bool> getCachebustSetting {"cachebustScriptRequire", false };
|
||||
|
||||
|
@ -2120,7 +2120,7 @@ void ScriptEngine::updateEntityScriptStatus(const EntityItemID& entityID, const
|
|||
}
|
||||
|
||||
QVariant ScriptEngine::cloneEntityScriptDetails(const EntityItemID& entityID) {
|
||||
static const QVariant NULL_VARIANT { qVariantFromValue((QObject*)nullptr) };
|
||||
static const QVariant NULL_VARIANT = QVariant::fromValue(nullptr);
|
||||
QVariantMap map;
|
||||
if (entityID.isNull()) {
|
||||
// TODO: find better way to report JS Error across thread/process boundaries
|
||||
|
@ -2390,25 +2390,25 @@ void ScriptEngine::entityScriptContentAvailable(const EntityItemID& entityID, co
|
|||
|
||||
// Entity Script Whitelist toggle check.
|
||||
Setting::Handle<bool> whitelistEnabled {"private/whitelistEnabled", false };
|
||||
|
||||
|
||||
if (!whitelistEnabled.get()) {
|
||||
passList = true;
|
||||
}
|
||||
|
||||
|
||||
// Pull SAFEURLS from the Interface.JSON settings.
|
||||
QVariant raw = Setting::Handle<QVariant>("private/settingsSafeURLS").get();
|
||||
QStringList settingsSafeURLS = raw.toString().trimmed().split(QRegExp("\\s*[,\r\n]+\\s*"), Qt::SkipEmptyParts);
|
||||
safeURLPrefixes += settingsSafeURLS;
|
||||
// END Pull SAFEURLS from the Interface.JSON settings.
|
||||
|
||||
|
||||
// Get current domain whitelist bypass, in case an entire domain is whitelisted.
|
||||
QString currentDomain = DependencyManager::get<AddressManager>()->getDomainURL().host();
|
||||
|
||||
|
||||
QString domainSafeIP = nodeList->getDomainHandler().getHostname();
|
||||
QString domainSafeURL = URL_SCHEME_VIRCADIA + "://" + currentDomain;
|
||||
for (const auto& str : safeURLPrefixes) {
|
||||
if (domainSafeURL.startsWith(str) || domainSafeIP.startsWith(str)) {
|
||||
qCDebug(scriptengine) << whitelistPrefix << "Whitelist Bypassed, entire domain is whitelisted. Current Domain Host: "
|
||||
qCDebug(scriptengine) << whitelistPrefix << "Whitelist Bypassed, entire domain is whitelisted. Current Domain Host: "
|
||||
<< nodeList->getDomainHandler().getHostname()
|
||||
<< "Current Domain: " << currentDomain;
|
||||
passList = true;
|
||||
|
|
|
@ -27,25 +27,24 @@ WheelEvent::WheelEvent() :
|
|||
isMeta(false),
|
||||
isAlt(false)
|
||||
{
|
||||
|
||||
|
||||
}
|
||||
|
||||
WheelEvent::WheelEvent(const QWheelEvent& event) {
|
||||
x = event.x();
|
||||
y = event.y();
|
||||
|
||||
delta = event.delta();
|
||||
if (event.orientation() == Qt::Horizontal) {
|
||||
x = event.position().x();
|
||||
y = event.position().y();
|
||||
|
||||
if (event.angleDelta().x() != 0) {
|
||||
orientation = "HORIZONTAL";
|
||||
} else {
|
||||
orientation = "VERTICAL";
|
||||
}
|
||||
|
||||
|
||||
// button pressed state
|
||||
isLeftButton = (event.buttons().testFlag(Qt::LeftButton));
|
||||
isRightButton = (event.buttons().testFlag(Qt::RightButton));
|
||||
isMiddleButton = (event.buttons().testFlag(Qt::MiddleButton));
|
||||
|
||||
|
||||
// keyboard modifiers
|
||||
isShifted = event.modifiers().testFlag(Qt::ShiftModifier);
|
||||
isMeta = event.modifiers().testFlag(Qt::MetaModifier);
|
||||
|
@ -58,15 +57,15 @@ WheelEvent::WheelEvent(const QWheelEvent& event) {
|
|||
* @typedef {object} WheelEvent
|
||||
* @property {number} x - Integer x-coordinate of the event on the Interface window or HMD HUD.
|
||||
* @property {number} y - Integer y-coordinate of the event on the Interface window or HMD HUD.
|
||||
* @property {number} delta - Integer number indicating the direction and speed to scroll: positive numbers to scroll up, and
|
||||
* @property {number} delta - Integer number indicating the direction and speed to scroll: positive numbers to scroll up, and
|
||||
* negative numers to scroll down.
|
||||
* @property {string} orientation - The orientation of the wheel: <code>"VERTICAL"</code> for a typical mouse;
|
||||
* @property {string} orientation - The orientation of the wheel: <code>"VERTICAL"</code> for a typical mouse;
|
||||
* <code>"HORIZONTAL"</code> for a "horizontal" wheel.
|
||||
* @property {boolean} isLeftButton - <code>true</code> if the left button was pressed when the event was generated, otherwise
|
||||
* @property {boolean} isLeftButton - <code>true</code> if the left button was pressed when the event was generated, otherwise
|
||||
* <code>false</code>.
|
||||
* @property {boolean} isMiddleButton - <code>true</code> if the middle button was pressed when the event was generated,
|
||||
* @property {boolean} isMiddleButton - <code>true</code> if the middle button was pressed when the event was generated,
|
||||
* otherwise <code>false</code>.
|
||||
* @property {boolean} isRightButton - <code>true</code> if the right button was pressed when the event was generated,
|
||||
* @property {boolean} isRightButton - <code>true</code> if the right button was pressed when the event was generated,
|
||||
* otherwise <code>false</code>.
|
||||
* @property {boolean} isShifted - <code>true</code> if the Shift key was pressed when the event was generated, otherwise
|
||||
* <code>false</code>.
|
||||
|
|
|
@ -28,8 +28,9 @@
|
|||
#include <QtCore/QMutexLocker>
|
||||
#include <QtCore/QThread>
|
||||
#include <QtCore/QTimer>
|
||||
#include <QRecursiveMutex>
|
||||
|
||||
QMutex LogHandler::_mutex(QMutex::Recursive);
|
||||
QRecursiveMutex LogHandler::_mutex;
|
||||
|
||||
LogHandler& LogHandler::getInstance() {
|
||||
static LogHandler staticInstance;
|
||||
|
@ -148,7 +149,7 @@ void LogHandler::flushRepeatedMessages() {
|
|||
for (int m = 0; m < (int)_repeatedMessageRecords.size(); ++m) {
|
||||
int repeatCount = _repeatedMessageRecords[m].repeatCount;
|
||||
if (repeatCount > 1) {
|
||||
QString repeatLogMessage = QString().setNum(repeatCount) + " repeated log entries - Last entry: \""
|
||||
QString repeatLogMessage = QString().setNum(repeatCount) + " repeated log entries - Last entry: \""
|
||||
+ _repeatedMessageRecords[m].repeatString + "\"";
|
||||
printMessage(LogSuppressed, QMessageLogContext(), repeatLogMessage);
|
||||
_repeatedMessageRecords[m].repeatCount = 0;
|
||||
|
@ -258,6 +259,6 @@ void LogHandler::printRepeatedMessage(int messageID, LogMsgType type, const QMes
|
|||
} else {
|
||||
_repeatedMessageRecords[messageID].repeatString = message;
|
||||
}
|
||||
|
||||
|
||||
++_repeatedMessageRecords[messageID].repeatCount;
|
||||
}
|
||||
|
|
|
@ -16,7 +16,7 @@
|
|||
#include <QObject>
|
||||
#include <QString>
|
||||
#include <QRegExp>
|
||||
#include <QMutex>
|
||||
#include <QRecursiveMutex>
|
||||
#include <vector>
|
||||
#include <memory>
|
||||
|
||||
|
@ -79,7 +79,7 @@ private:
|
|||
QString repeatString;
|
||||
};
|
||||
std::vector<RepeatedMessageRecord> _repeatedMessageRecords;
|
||||
static QMutex _mutex;
|
||||
static QRecursiveMutex _mutex;
|
||||
};
|
||||
|
||||
#define HIFI_FCDEBUG(category, message) \
|
||||
|
@ -95,7 +95,7 @@ private:
|
|||
} while (false)
|
||||
|
||||
#define HIFI_FDEBUG(message) HIFI_FCDEBUG((*QLoggingCategory::defaultCategory()), message)
|
||||
|
||||
|
||||
#define HIFI_FCDEBUG_ID(category, messageID, message) \
|
||||
do { \
|
||||
if (category.isDebugEnabled()) { \
|
||||
|
|
|
@ -164,7 +164,12 @@ QJsonDocument variantMapToJsonDocument(const QSettings::SettingsMap& map) {
|
|||
case QVariant::ByteArray: {
|
||||
QByteArray a = variant.toByteArray();
|
||||
QString result = QLatin1String("@ByteArray(");
|
||||
result += QString::fromLatin1(a.constData(), a.size());
|
||||
int sz = a.size();
|
||||
if ( sz > 0 ) {
|
||||
// Work around 'warning: ‘size_t strlen(const char*)’ reading 1 or more bytes from a region of size 0 [-Wstringop-overread]'
|
||||
// size() indeed could be zero bytes, so make sure that can't be the case.
|
||||
result += QString::fromLatin1(a.constData(), sz);
|
||||
}
|
||||
result += QLatin1Char(')');
|
||||
object.insert(key, result);
|
||||
break;
|
||||
|
@ -213,7 +218,11 @@ QJsonDocument variantMapToJsonDocument(const QSettings::SettingsMap& map) {
|
|||
}
|
||||
|
||||
QString result = QLatin1String("@Variant(");
|
||||
result += QString::fromLatin1(array.constData(), array.size());
|
||||
int sz = array.size();
|
||||
if ( sz > 0 ) {
|
||||
// See comment in the case handling QVariant::ByteArray
|
||||
result += QString::fromLatin1(array.constData(), sz);
|
||||
}
|
||||
result += QLatin1Char(')');
|
||||
object.insert(key, result);
|
||||
break;
|
||||
|
|
|
@ -183,19 +183,23 @@ void outputBits(unsigned char byte, QDebug* continuedDebug) {
|
|||
}
|
||||
|
||||
QString resultString;
|
||||
QTextStream qts (&resultString);
|
||||
|
||||
qts << "[ ";
|
||||
qts << qSetFieldWidth(3) << byte << qSetFieldWidth(0);
|
||||
qts << qSetPadChar('0');
|
||||
|
||||
if (isalnum(byte)) {
|
||||
resultString.sprintf("[ %d (%c): ", byte, byte);
|
||||
qts << " (" << QString(byte) << ") : ";
|
||||
} else {
|
||||
resultString.sprintf("[ %d (0x%x): ", byte, byte);
|
||||
qts << " (0x" << Qt::hex << qSetFieldWidth(2) << byte << qSetFieldWidth(0) << "): ";
|
||||
}
|
||||
debug << qPrintable(resultString);
|
||||
|
||||
for (int i = 0; i < 8; i++) {
|
||||
resultString.sprintf("%d", byte >> (7 - i) & 1);
|
||||
debug << qPrintable(resultString);
|
||||
}
|
||||
debug << " ]";
|
||||
|
||||
qts << Qt::bin << qSetFieldWidth(8) << byte << qSetFieldWidth(0);
|
||||
qts << " ]";
|
||||
|
||||
debug.noquote();
|
||||
debug << resultString;
|
||||
}
|
||||
|
||||
int numberOfOnes(unsigned char byte) {
|
||||
|
@ -738,7 +742,7 @@ QString formatSecTime(qint64 secs) {
|
|||
QString formatSecondsElapsed(float seconds) {
|
||||
QString result;
|
||||
|
||||
const float SECONDS_IN_DAY = 60.0f * 60.0f * 24.0f;
|
||||
const float SECONDS_IN_DAY = 60.0f * 60.0f * 24.0f;
|
||||
if (seconds > SECONDS_IN_DAY) {
|
||||
float days = floor(seconds / SECONDS_IN_DAY);
|
||||
float rest = seconds - (days * SECONDS_IN_DAY);
|
||||
|
@ -978,7 +982,7 @@ bool getProcessorInfo(ProcessorInfo& info) {
|
|||
break;
|
||||
|
||||
case RelationCache:
|
||||
// Cache data is in ptr->Cache, one CACHE_DESCRIPTOR structure for each cache.
|
||||
// Cache data is in ptr->Cache, one CACHE_DESCRIPTOR structure for each cache.
|
||||
Cache = &ptr->Cache;
|
||||
if (Cache->Level == 1) {
|
||||
processorL1CacheCount++;
|
||||
|
|
53
libraries/shared/src/WarningsSuppression.h
Normal file
53
libraries/shared/src/WarningsSuppression.h
Normal file
|
@ -0,0 +1,53 @@
|
|||
//
|
||||
// WarningsSuppression.h
|
||||
//
|
||||
//
|
||||
// Created by Dale Glass on 5/6/2022
|
||||
// Copyright 2022 Dale Glass
|
||||
//
|
||||
// Distributed under the Apache License, Version 2.0.
|
||||
// See the accompanying file LICENSE or http://www.apache.org/licenses/LICENSE-2.0.html
|
||||
//
|
||||
|
||||
/*
|
||||
* This file provides macros to suppress compile-time warnings.
|
||||
* They should be used with extreme caution, only when the compiler is definitely mistaken,
|
||||
* when the problem is in third party code that's not practical to patch, or where something
|
||||
* is deprecated but can't be dealt with for the time being.
|
||||
*
|
||||
* Usage of these macros should come with an explanation of why we're using them.
|
||||
*/
|
||||
|
||||
|
||||
#ifdef OVERTE_WARNINGS_WHITELIST_GCC
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_BEGIN \
|
||||
_Pragma("GCC diagnostic push") \
|
||||
_Pragma("GCC diagnostic ignored \"-Wdeprecated-declarations\"")
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_END _Pragma("GCC diagnostic pop")
|
||||
|
||||
#elif OVERTE_WARNINGS_WHITELIST_CLANG
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_BEGIN \
|
||||
_Pragma("clang diagnostic push") \
|
||||
_Pragma("clang diagnostic ignored \"-Wdeprecated-declarations\"")
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_END _Pragma("clang diagnostic pop")
|
||||
|
||||
#elif OVERTE_WARNINGS_WHITELIST_MSVC
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_BEGIN \
|
||||
_Pragma("warning(push)") \
|
||||
_Pragma("warning(disable : 4996)")
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_END _Pragma("warning(pop)")
|
||||
|
||||
#else
|
||||
|
||||
#warning "Don't know how to suppress warnings on this compiler. Please fix me."
|
||||
|
||||
#define OVERTE_IGNORE_DEPRECATED_BEGIN
|
||||
#define OVERTE_IGNORE_DEPRECATED_END
|
||||
|
||||
#endif
|
|
@ -123,7 +123,9 @@ void Space::categorizeAndGetChanges(std::vector<Space::Change>& changes) {
|
|||
uint32_t Space::copyProxyValues(Proxy* proxies, uint32_t numDestProxies) const {
|
||||
std::unique_lock<std::mutex> lock(_proxiesMutex);
|
||||
auto numCopied = std::min(numDestProxies, (uint32_t)_proxies.size());
|
||||
memcpy(proxies, _proxies.data(), numCopied * sizeof(Proxy));
|
||||
for(unsigned int i=0;i<numCopied;i++) {
|
||||
proxies[i] = _proxies[i];
|
||||
}
|
||||
return numCopied;
|
||||
}
|
||||
|
||||
|
|
Loading…
Reference in a new issue