mirror of
https://github.com/overte-org/overte.git
synced 2025-08-06 18:50:00 +02:00
Merge remote-tracking branch 'upstream/master' into police
This commit is contained in:
commit
840a87464c
36 changed files with 619 additions and 193 deletions
|
@ -0,0 +1,290 @@
|
||||||
|
//
|
||||||
|
// marketplaceItemTester
|
||||||
|
// qml/hifi/commerce/marketplaceItemTester
|
||||||
|
//
|
||||||
|
// Load items not in the marketplace for testing purposes
|
||||||
|
//
|
||||||
|
// Created by Zach Fox on 2018-09-05
|
||||||
|
// Copyright 2018 High Fidelity, Inc.
|
||||||
|
//
|
||||||
|
// Distributed under the Apache License, Version 2.0.
|
||||||
|
// See the accompanying file LICENSE or http://www.apache.org/licenses/LICENSE-2.0.html
|
||||||
|
//
|
||||||
|
|
||||||
|
import QtQuick 2.5
|
||||||
|
import QtQuick.Controls 1.4
|
||||||
|
import QtQuick.Controls.Styles 1.4
|
||||||
|
import QtQuick.Dialogs 1.0
|
||||||
|
import QtQuick.Layouts 1.1
|
||||||
|
import Hifi 1.0 as Hifi
|
||||||
|
import "../../../styles-uit" as HifiStylesUit
|
||||||
|
import "../../../controls-uit" as HifiControlsUit
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
Rectangle {
|
||||||
|
id: root
|
||||||
|
|
||||||
|
property string installedApps
|
||||||
|
property var nextResourceObjectId: 0
|
||||||
|
signal sendToScript(var message)
|
||||||
|
|
||||||
|
HifiStylesUit.HifiConstants { id: hifi }
|
||||||
|
ListModel { id: resourceListModel }
|
||||||
|
|
||||||
|
color: hifi.colors.white
|
||||||
|
|
||||||
|
AnimatedImage {
|
||||||
|
id: spinner;
|
||||||
|
source: "spinner.gif"
|
||||||
|
width: 74;
|
||||||
|
height: width;
|
||||||
|
anchors.verticalCenter: parent.verticalCenter;
|
||||||
|
anchors.horizontalCenter: parent.horizontalCenter;
|
||||||
|
}
|
||||||
|
|
||||||
|
function fromScript(message) {
|
||||||
|
switch (message.method) {
|
||||||
|
case "newResourceObjectInTest":
|
||||||
|
var resourceObject = message.resourceObject;
|
||||||
|
resourceListModel.append(resourceObject);
|
||||||
|
spinner.visible = false;
|
||||||
|
break;
|
||||||
|
case "nextObjectIdInTest":
|
||||||
|
nextResourceObjectId = message.id;
|
||||||
|
spinner.visible = false;
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function buildResourceObj(resource) {
|
||||||
|
resource = resource.trim();
|
||||||
|
var assetType = (resource.match(/\.app\.json$/) ? "application" :
|
||||||
|
resource.match(/\.fst$/) ? "avatar" :
|
||||||
|
resource.match(/\.json\.gz$/) ? "content set" :
|
||||||
|
resource.match(/\.json$/) ? "entity or wearable" :
|
||||||
|
"unknown");
|
||||||
|
return { "id": nextResourceObjectId++,
|
||||||
|
"resource": resource,
|
||||||
|
"assetType": assetType };
|
||||||
|
}
|
||||||
|
|
||||||
|
function installResourceObj(resourceObj) {
|
||||||
|
if ("application" === resourceObj.assetType) {
|
||||||
|
Commerce.installApp(resourceObj.resource);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function addAllInstalledAppsToList() {
|
||||||
|
var i, apps = Commerce.getInstalledApps().split(","), len = apps.length;
|
||||||
|
for(i = 0; i < len - 1; ++i) {
|
||||||
|
if (i in apps) {
|
||||||
|
resourceListModel.append(buildResourceObj(apps[i]));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function toUrl(resource) {
|
||||||
|
var httpPattern = /^http/i;
|
||||||
|
return httpPattern.test(resource) ? resource : "file:///" + resource;
|
||||||
|
}
|
||||||
|
|
||||||
|
function rezEntity(resource, entityType) {
|
||||||
|
sendToScript({
|
||||||
|
method: 'tester_rezClicked',
|
||||||
|
itemHref: toUrl(resource),
|
||||||
|
itemType: entityType});
|
||||||
|
}
|
||||||
|
|
||||||
|
ListView {
|
||||||
|
anchors.fill: parent
|
||||||
|
anchors.leftMargin: 12
|
||||||
|
anchors.bottomMargin: 40
|
||||||
|
anchors.rightMargin: 12
|
||||||
|
model: resourceListModel
|
||||||
|
spacing: 5
|
||||||
|
interactive: false
|
||||||
|
|
||||||
|
delegate: RowLayout {
|
||||||
|
anchors.left: parent.left
|
||||||
|
width: parent.width
|
||||||
|
spacing: 5
|
||||||
|
|
||||||
|
property var actions: {
|
||||||
|
"forward": function(resource, assetType){
|
||||||
|
switch(assetType) {
|
||||||
|
case "application":
|
||||||
|
Commerce.openApp(resource);
|
||||||
|
break;
|
||||||
|
case "avatar":
|
||||||
|
MyAvatar.useFullAvatarURL(resource);
|
||||||
|
break;
|
||||||
|
case "content set":
|
||||||
|
urlHandler.handleUrl("hifi://localhost/0,0,0");
|
||||||
|
Commerce.replaceContentSet(toUrl(resource), "");
|
||||||
|
break;
|
||||||
|
case "entity":
|
||||||
|
case "wearable":
|
||||||
|
rezEntity(resource, assetType);
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
print("Marketplace item tester unsupported assetType " + assetType);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"trash": function(){
|
||||||
|
if ("application" === assetType) {
|
||||||
|
Commerce.uninstallApp(resource);
|
||||||
|
}
|
||||||
|
sendToScript({
|
||||||
|
method: "tester_deleteResourceObject",
|
||||||
|
objectId: resourceListModel.get(index).id});
|
||||||
|
resourceListModel.remove(index);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Column {
|
||||||
|
Layout.preferredWidth: root.width * .6
|
||||||
|
spacing: 5
|
||||||
|
Text {
|
||||||
|
text: {
|
||||||
|
var match = resource.match(/\/([^/]*)$/);
|
||||||
|
return match ? match[1] : resource;
|
||||||
|
}
|
||||||
|
font.pointSize: 12
|
||||||
|
horizontalAlignment: Text.AlignBottom
|
||||||
|
}
|
||||||
|
Text {
|
||||||
|
text: resource
|
||||||
|
font.pointSize: 8
|
||||||
|
width: root.width * .6
|
||||||
|
horizontalAlignment: Text.AlignBottom
|
||||||
|
wrapMode: Text.WrapAnywhere
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
ComboBox {
|
||||||
|
id: comboBox
|
||||||
|
|
||||||
|
Layout.preferredWidth: root.width * .2
|
||||||
|
|
||||||
|
model: [
|
||||||
|
"application",
|
||||||
|
"avatar",
|
||||||
|
"content set",
|
||||||
|
"entity",
|
||||||
|
"wearable",
|
||||||
|
"unknown"
|
||||||
|
]
|
||||||
|
|
||||||
|
currentIndex: (("entity or wearable" === assetType) ?
|
||||||
|
model.indexOf("unknown") : model.indexOf(assetType))
|
||||||
|
|
||||||
|
Component.onCompleted: {
|
||||||
|
onCurrentIndexChanged.connect(function() {
|
||||||
|
assetType = model[currentIndex];
|
||||||
|
sendToScript({
|
||||||
|
method: "tester_updateResourceObjectAssetType",
|
||||||
|
objectId: resourceListModel.get(index)["id"],
|
||||||
|
assetType: assetType });
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Repeater {
|
||||||
|
model: [ "forward", "trash" ]
|
||||||
|
|
||||||
|
HifiStylesUit.HiFiGlyphs {
|
||||||
|
property var glyphs: {
|
||||||
|
"application": hifi.glyphs.install,
|
||||||
|
"avatar": hifi.glyphs.avatar,
|
||||||
|
"content set": hifi.glyphs.globe,
|
||||||
|
"entity": hifi.glyphs.wand,
|
||||||
|
"trash": hifi.glyphs.trash,
|
||||||
|
"unknown": hifi.glyphs.circleSlash,
|
||||||
|
"wearable": hifi.glyphs.hat,
|
||||||
|
}
|
||||||
|
text: (("trash" === modelData) ?
|
||||||
|
glyphs.trash :
|
||||||
|
glyphs[comboBox.model[comboBox.currentIndex]])
|
||||||
|
size: ("trash" === modelData) ? 22 : 30
|
||||||
|
color: hifi.colors.black
|
||||||
|
horizontalAlignment: Text.AlignHCenter
|
||||||
|
MouseArea {
|
||||||
|
anchors.fill: parent
|
||||||
|
onClicked: {
|
||||||
|
actions[modelData](resource, comboBox.currentText);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
headerPositioning: ListView.OverlayHeader
|
||||||
|
header: HifiStylesUit.RalewayRegular {
|
||||||
|
id: rootHeader
|
||||||
|
text: "Marketplace Item Tester"
|
||||||
|
height: 80
|
||||||
|
width: paintedWidth
|
||||||
|
size: 22
|
||||||
|
color: hifi.colors.black
|
||||||
|
anchors.left: parent.left
|
||||||
|
anchors.leftMargin: 12
|
||||||
|
}
|
||||||
|
|
||||||
|
footerPositioning: ListView.OverlayFooter
|
||||||
|
footer: Row {
|
||||||
|
id: rootActions
|
||||||
|
spacing: 20
|
||||||
|
anchors.horizontalCenter: parent.horizontalCenter
|
||||||
|
|
||||||
|
property string currentAction
|
||||||
|
property var actions: {
|
||||||
|
"Load File": function(){
|
||||||
|
rootActions.currentAction = "load file";
|
||||||
|
Window.browseChanged.connect(onResourceSelected);
|
||||||
|
Window.browseAsync("Please select a file (*.app.json *.json *.fst *.json.gz)", "", "Assets (*.app.json *.json *.fst *.json.gz)");
|
||||||
|
},
|
||||||
|
"Load URL": function(){
|
||||||
|
rootActions.currentAction = "load url";
|
||||||
|
Window.promptTextChanged.connect(onResourceSelected);
|
||||||
|
Window.promptAsync("Please enter a URL", "");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function onResourceSelected(resource) {
|
||||||
|
// It is possible that we received the present signal
|
||||||
|
// from something other than our browserAsync window.
|
||||||
|
// Alas, there is nothing we can do about that so charge
|
||||||
|
// ahead as though we are sure the present signal is one
|
||||||
|
// we expect.
|
||||||
|
switch(currentAction) {
|
||||||
|
case "load file":
|
||||||
|
Window.browseChanged.disconnect(onResourceSelected);
|
||||||
|
break
|
||||||
|
case "load url":
|
||||||
|
Window.promptTextChanged.disconnect(onResourceSelected);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if (resource) {
|
||||||
|
var resourceObj = buildResourceObj(resource);
|
||||||
|
installResourceObj(resourceObj);
|
||||||
|
sendToScript({
|
||||||
|
method: 'tester_newResourceObject',
|
||||||
|
resourceObject: resourceObj });
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Repeater {
|
||||||
|
model: [ "Load File", "Load URL" ]
|
||||||
|
HifiControlsUit.Button {
|
||||||
|
color: hifi.buttons.blue
|
||||||
|
fontSize: 20
|
||||||
|
text: modelData
|
||||||
|
width: root.width / 3
|
||||||
|
height: 40
|
||||||
|
onClicked: actions[text]()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
Binary file not shown.
After Width: | Height: | Size: 45 KiB |
|
@ -59,7 +59,7 @@ Item {
|
||||||
|
|
||||||
Connections {
|
Connections {
|
||||||
target: Commerce;
|
target: Commerce;
|
||||||
|
|
||||||
onContentSetChanged: {
|
onContentSetChanged: {
|
||||||
if (contentSetHref === root.itemHref) {
|
if (contentSetHref === root.itemHref) {
|
||||||
showConfirmation = true;
|
showConfirmation = true;
|
||||||
|
@ -135,7 +135,7 @@ Item {
|
||||||
anchors.topMargin: 8;
|
anchors.topMargin: 8;
|
||||||
width: 30;
|
width: 30;
|
||||||
height: width;
|
height: width;
|
||||||
|
|
||||||
HiFiGlyphs {
|
HiFiGlyphs {
|
||||||
id: closeContextMenuGlyph;
|
id: closeContextMenuGlyph;
|
||||||
text: hifi.glyphs.close;
|
text: hifi.glyphs.close;
|
||||||
|
@ -376,7 +376,7 @@ Item {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
transform: Rotation {
|
transform: Rotation {
|
||||||
id: rotation;
|
id: rotation;
|
||||||
origin.x: flipable.width/2;
|
origin.x: flipable.width/2;
|
||||||
|
@ -509,7 +509,7 @@ Item {
|
||||||
}
|
}
|
||||||
verticalAlignment: Text.AlignTop;
|
verticalAlignment: Text.AlignTop;
|
||||||
}
|
}
|
||||||
|
|
||||||
HiFiGlyphs {
|
HiFiGlyphs {
|
||||||
id: statusIcon;
|
id: statusIcon;
|
||||||
text: {
|
text: {
|
||||||
|
@ -588,7 +588,7 @@ Item {
|
||||||
border.width: 1;
|
border.width: 1;
|
||||||
border.color: "#E2334D";
|
border.color: "#E2334D";
|
||||||
}
|
}
|
||||||
|
|
||||||
HiFiGlyphs {
|
HiFiGlyphs {
|
||||||
id: contextMenuGlyph;
|
id: contextMenuGlyph;
|
||||||
text: hifi.glyphs.verticalEllipsis;
|
text: hifi.glyphs.verticalEllipsis;
|
||||||
|
@ -615,7 +615,7 @@ Item {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
Rectangle {
|
Rectangle {
|
||||||
id: rezzedNotifContainer;
|
id: rezzedNotifContainer;
|
||||||
z: 998;
|
z: 998;
|
||||||
|
@ -663,13 +663,13 @@ Item {
|
||||||
Tablet.playSound(TabletEnums.ButtonHover);
|
Tablet.playSound(TabletEnums.ButtonHover);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
onFocusChanged: {
|
onFocusChanged: {
|
||||||
if (focus) {
|
if (focus) {
|
||||||
Tablet.playSound(TabletEnums.ButtonHover);
|
Tablet.playSound(TabletEnums.ButtonHover);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
onClicked: {
|
onClicked: {
|
||||||
Tablet.playSound(TabletEnums.ButtonClick);
|
Tablet.playSound(TabletEnums.ButtonClick);
|
||||||
if (root.itemType === "contentSet") {
|
if (root.itemType === "contentSet") {
|
||||||
|
@ -775,7 +775,7 @@ Item {
|
||||||
// Style
|
// Style
|
||||||
color: hifi.colors.redAccent;
|
color: hifi.colors.redAccent;
|
||||||
horizontalAlignment: Text.AlignRight;
|
horizontalAlignment: Text.AlignRight;
|
||||||
|
|
||||||
MouseArea {
|
MouseArea {
|
||||||
anchors.fill: parent;
|
anchors.fill: parent;
|
||||||
hoverEnabled: true;
|
hoverEnabled: true;
|
||||||
|
|
|
@ -1691,21 +1691,21 @@ Application::Application(int& argc, char** argv, QElapsedTimer& startupTimer, bo
|
||||||
return DependencyManager::get<OffscreenUi>()->navigationFocused() ? 1 : 0;
|
return DependencyManager::get<OffscreenUi>()->navigationFocused() ? 1 : 0;
|
||||||
});
|
});
|
||||||
_applicationStateDevice->setInputVariant(STATE_PLATFORM_WINDOWS, []() -> float {
|
_applicationStateDevice->setInputVariant(STATE_PLATFORM_WINDOWS, []() -> float {
|
||||||
#if defined(Q_OS_WIN)
|
#if defined(Q_OS_WIN)
|
||||||
return 1;
|
return 1;
|
||||||
#else
|
#else
|
||||||
return 0;
|
return 0;
|
||||||
#endif
|
#endif
|
||||||
});
|
});
|
||||||
_applicationStateDevice->setInputVariant(STATE_PLATFORM_MAC, []() -> float {
|
_applicationStateDevice->setInputVariant(STATE_PLATFORM_MAC, []() -> float {
|
||||||
#if defined(Q_OS_MAC)
|
#if defined(Q_OS_MAC)
|
||||||
return 1;
|
return 1;
|
||||||
#else
|
#else
|
||||||
return 0;
|
return 0;
|
||||||
#endif
|
#endif
|
||||||
});
|
});
|
||||||
_applicationStateDevice->setInputVariant(STATE_PLATFORM_ANDROID, []() -> float {
|
_applicationStateDevice->setInputVariant(STATE_PLATFORM_ANDROID, []() -> float {
|
||||||
#if defined(Q_OS_ANDROID)
|
#if defined(Q_OS_ANDROID)
|
||||||
return 1;
|
return 1;
|
||||||
#else
|
#else
|
||||||
return 0;
|
return 0;
|
||||||
|
@ -2883,9 +2883,10 @@ void Application::initializeUi() {
|
||||||
QUrl{ "hifi/commerce/common/CommerceLightbox.qml" },
|
QUrl{ "hifi/commerce/common/CommerceLightbox.qml" },
|
||||||
QUrl{ "hifi/commerce/common/EmulatedMarketplaceHeader.qml" },
|
QUrl{ "hifi/commerce/common/EmulatedMarketplaceHeader.qml" },
|
||||||
QUrl{ "hifi/commerce/common/FirstUseTutorial.qml" },
|
QUrl{ "hifi/commerce/common/FirstUseTutorial.qml" },
|
||||||
QUrl{ "hifi/commerce/common/SortableListModel.qml" },
|
|
||||||
QUrl{ "hifi/commerce/common/sendAsset/SendAsset.qml" },
|
QUrl{ "hifi/commerce/common/sendAsset/SendAsset.qml" },
|
||||||
|
QUrl{ "hifi/commerce/common/SortableListModel.qml" },
|
||||||
QUrl{ "hifi/commerce/inspectionCertificate/InspectionCertificate.qml" },
|
QUrl{ "hifi/commerce/inspectionCertificate/InspectionCertificate.qml" },
|
||||||
|
QUrl{ "hifi/commerce/marketplaceItemTester/MarketplaceItemTester.qml"},
|
||||||
QUrl{ "hifi/commerce/purchases/PurchasedItem.qml" },
|
QUrl{ "hifi/commerce/purchases/PurchasedItem.qml" },
|
||||||
QUrl{ "hifi/commerce/purchases/Purchases.qml" },
|
QUrl{ "hifi/commerce/purchases/Purchases.qml" },
|
||||||
QUrl{ "hifi/commerce/wallet/Help.qml" },
|
QUrl{ "hifi/commerce/wallet/Help.qml" },
|
||||||
|
@ -3500,13 +3501,14 @@ bool Application::isServerlessMode() const {
|
||||||
}
|
}
|
||||||
|
|
||||||
void Application::setIsInterstitialMode(bool interstitialMode) {
|
void Application::setIsInterstitialMode(bool interstitialMode) {
|
||||||
Settings settings;
|
bool enableInterstitial = DependencyManager::get<NodeList>()->getDomainHandler().getInterstitialModeEnabled();
|
||||||
bool enableInterstitial = settings.value("enableIntersitialMode", false).toBool();
|
if (enableInterstitial) {
|
||||||
if (_interstitialMode != interstitialMode && enableInterstitial) {
|
if (_interstitialMode != interstitialMode) {
|
||||||
_interstitialMode = interstitialMode;
|
_interstitialMode = interstitialMode;
|
||||||
|
|
||||||
DependencyManager::get<AudioClient>()->setAudioPaused(_interstitialMode);
|
DependencyManager::get<AudioClient>()->setAudioPaused(_interstitialMode);
|
||||||
DependencyManager::get<AvatarManager>()->setMyAvatarDataPacketsPaused(_interstitialMode);
|
DependencyManager::get<AvatarManager>()->setMyAvatarDataPacketsPaused(_interstitialMode);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -432,7 +432,7 @@ public slots:
|
||||||
|
|
||||||
void setIsServerlessMode(bool serverlessDomain);
|
void setIsServerlessMode(bool serverlessDomain);
|
||||||
void loadServerlessDomain(QUrl domainURL, bool errorDomain = false);
|
void loadServerlessDomain(QUrl domainURL, bool errorDomain = false);
|
||||||
void setIsInterstitialMode(bool interstialMode);
|
void setIsInterstitialMode(bool interstitialMode);
|
||||||
|
|
||||||
void updateVerboseLogging();
|
void updateVerboseLogging();
|
||||||
|
|
||||||
|
|
|
@ -41,9 +41,15 @@ void ConnectionMonitor::init() {
|
||||||
}
|
}
|
||||||
|
|
||||||
connect(&_timer, &QTimer::timeout, this, [this]() {
|
connect(&_timer, &QTimer::timeout, this, [this]() {
|
||||||
qDebug() << "ConnectionMonitor: Redirecting to 404 error domain";
|
|
||||||
// set in a timeout error
|
// set in a timeout error
|
||||||
emit setRedirectErrorState(REDIRECT_HIFI_ADDRESS, 5);
|
bool enableInterstitial = DependencyManager::get<NodeList>()->getDomainHandler().getInterstitialModeEnabled();
|
||||||
|
if (enableInterstitial) {
|
||||||
|
qDebug() << "ConnectionMonitor: Redirecting to 404 error domain";
|
||||||
|
emit setRedirectErrorState(REDIRECT_HIFI_ADDRESS, "", 5);
|
||||||
|
} else {
|
||||||
|
qDebug() << "ConnectionMonitor: Showing connection failure window";
|
||||||
|
DependencyManager::get<DialogsManager>()->setDomainConnectionFailureVisibility(true);
|
||||||
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -53,4 +59,8 @@ void ConnectionMonitor::startTimer() {
|
||||||
|
|
||||||
void ConnectionMonitor::stopTimer() {
|
void ConnectionMonitor::stopTimer() {
|
||||||
_timer.stop();
|
_timer.stop();
|
||||||
|
bool enableInterstitial = DependencyManager::get<NodeList>()->getDomainHandler().getInterstitialModeEnabled();
|
||||||
|
if (!enableInterstitial) {
|
||||||
|
DependencyManager::get<DialogsManager>()->setDomainConnectionFailureVisibility(false);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -24,7 +24,7 @@ public:
|
||||||
void init();
|
void init();
|
||||||
|
|
||||||
signals:
|
signals:
|
||||||
void setRedirectErrorState(QUrl errorURL, int reasonCode);
|
void setRedirectErrorState(QUrl errorURL, QString reasonMessage = "", int reasonCode = -1, const QString& extraInfo = "");
|
||||||
|
|
||||||
private slots:
|
private slots:
|
||||||
void startTimer();
|
void startTimer();
|
||||||
|
@ -34,4 +34,4 @@ private:
|
||||||
QTimer _timer;
|
QTimer _timer;
|
||||||
};
|
};
|
||||||
|
|
||||||
#endif // hifi_ConnectionMonitor_h
|
#endif // hifi_ConnectionMonitor_h
|
||||||
|
|
|
@ -456,31 +456,37 @@ void AvatarManager::handleRemovedAvatar(const AvatarSharedPointer& removedAvatar
|
||||||
}
|
}
|
||||||
|
|
||||||
void AvatarManager::clearOtherAvatars() {
|
void AvatarManager::clearOtherAvatars() {
|
||||||
// Remove other avatars from the world but don't actually remove them from _avatarHash
|
|
||||||
// each will either be removed on timeout or will re-added to the world on receipt of update.
|
|
||||||
const render::ScenePointer& scene = qApp->getMain3DScene();
|
|
||||||
render::Transaction transaction;
|
|
||||||
|
|
||||||
QReadLocker locker(&_hashLock);
|
|
||||||
AvatarHash::iterator avatarIterator = _avatarHash.begin();
|
|
||||||
while (avatarIterator != _avatarHash.end()) {
|
|
||||||
auto avatar = std::static_pointer_cast<Avatar>(avatarIterator.value());
|
|
||||||
if (avatar != _myAvatar) {
|
|
||||||
handleRemovedAvatar(avatar);
|
|
||||||
avatarIterator = _avatarHash.erase(avatarIterator);
|
|
||||||
} else {
|
|
||||||
++avatarIterator;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
assert(scene);
|
|
||||||
scene->enqueueTransaction(transaction);
|
|
||||||
_myAvatar->clearLookAtTargetAvatar();
|
_myAvatar->clearLookAtTargetAvatar();
|
||||||
|
|
||||||
|
// setup a vector of removed avatars outside the scope of the hash lock
|
||||||
|
std::vector<AvatarSharedPointer> removedAvatars;
|
||||||
|
|
||||||
|
{
|
||||||
|
QWriteLocker locker(&_hashLock);
|
||||||
|
|
||||||
|
removedAvatars.reserve(_avatarHash.size());
|
||||||
|
|
||||||
|
auto avatarIterator = _avatarHash.begin();
|
||||||
|
while (avatarIterator != _avatarHash.end()) {
|
||||||
|
auto avatar = std::static_pointer_cast<Avatar>(avatarIterator.value());
|
||||||
|
if (avatar != _myAvatar) {
|
||||||
|
removedAvatars.push_back(avatar);
|
||||||
|
avatarIterator = _avatarHash.erase(avatarIterator);
|
||||||
|
} else {
|
||||||
|
++avatarIterator;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
for (auto& av : removedAvatars) {
|
||||||
|
handleRemovedAvatar(av);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
void AvatarManager::deleteAllAvatars() {
|
void AvatarManager::deleteAllAvatars() {
|
||||||
assert(_avatarsToChangeInPhysics.empty());
|
assert(_avatarsToChangeInPhysics.empty());
|
||||||
|
|
||||||
QReadLocker locker(&_hashLock);
|
QWriteLocker locker(&_hashLock);
|
||||||
AvatarHash::iterator avatarIterator = _avatarHash.begin();
|
AvatarHash::iterator avatarIterator = _avatarHash.begin();
|
||||||
while (avatarIterator != _avatarHash.end()) {
|
while (avatarIterator != _avatarHash.end()) {
|
||||||
auto avatar = std::static_pointer_cast<OtherAvatar>(avatarIterator.value());
|
auto avatar = std::static_pointer_cast<OtherAvatar>(avatarIterator.value());
|
||||||
|
|
|
@ -204,7 +204,12 @@ private:
|
||||||
void simulateAvatarFades(float deltaTime);
|
void simulateAvatarFades(float deltaTime);
|
||||||
|
|
||||||
AvatarSharedPointer newSharedAvatar() override;
|
AvatarSharedPointer newSharedAvatar() override;
|
||||||
void handleRemovedAvatar(const AvatarSharedPointer& removedAvatar, KillAvatarReason removalReason = KillAvatarReason::NoReason) override;
|
|
||||||
|
// called only from the AvatarHashMap thread - cannot be called while this thread holds the
|
||||||
|
// hash lock, since handleRemovedAvatar needs a write lock on the entity tree and the entity tree
|
||||||
|
// frequently grabs a read lock on the hash to get a given avatar by ID
|
||||||
|
void handleRemovedAvatar(const AvatarSharedPointer& removedAvatar,
|
||||||
|
KillAvatarReason removalReason = KillAvatarReason::NoReason) override;
|
||||||
|
|
||||||
QVector<AvatarSharedPointer> _avatarsToFade;
|
QVector<AvatarSharedPointer> _avatarsToFade;
|
||||||
|
|
||||||
|
|
|
@ -199,12 +199,18 @@ void QmlCommerce::transferAssetToUsername(const QString& username,
|
||||||
}
|
}
|
||||||
|
|
||||||
void QmlCommerce::replaceContentSet(const QString& itemHref, const QString& certificateID) {
|
void QmlCommerce::replaceContentSet(const QString& itemHref, const QString& certificateID) {
|
||||||
auto ledger = DependencyManager::get<Ledger>();
|
if (!certificateID.isEmpty()) {
|
||||||
ledger->updateLocation(certificateID, DependencyManager::get<AddressManager>()->getPlaceName(), true);
|
auto ledger = DependencyManager::get<Ledger>();
|
||||||
|
ledger->updateLocation(
|
||||||
|
certificateID,
|
||||||
|
DependencyManager::get<AddressManager>()->getPlaceName(),
|
||||||
|
true);
|
||||||
|
}
|
||||||
qApp->replaceDomainContent(itemHref);
|
qApp->replaceDomainContent(itemHref);
|
||||||
QJsonObject messageProperties = { { "status", "SuccessfulRequestToReplaceContent" }, { "content_set_url", itemHref } };
|
QJsonObject messageProperties = {
|
||||||
|
{ "status", "SuccessfulRequestToReplaceContent" },
|
||||||
|
{ "content_set_url", itemHref } };
|
||||||
UserActivityLogger::getInstance().logAction("replace_domain_content", messageProperties);
|
UserActivityLogger::getInstance().logAction("replace_domain_content", messageProperties);
|
||||||
|
|
||||||
emit contentSetChanged(itemHref);
|
emit contentSetChanged(itemHref);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -228,6 +234,7 @@ QString QmlCommerce::getInstalledApps(const QString& justInstalledAppID) {
|
||||||
// Thus, we protect against deleting the .app.json from the user's disk (below)
|
// Thus, we protect against deleting the .app.json from the user's disk (below)
|
||||||
// by skipping that check for the app we just installed.
|
// by skipping that check for the app we just installed.
|
||||||
if ((justInstalledAppID != "") && ((justInstalledAppID + ".app.json") == appFileName)) {
|
if ((justInstalledAppID != "") && ((justInstalledAppID + ".app.json") == appFileName)) {
|
||||||
|
installedAppsFromMarketplace += appFileName + ",";
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -35,6 +35,14 @@ void LaserPointer::editRenderStatePath(const std::string& state, const QVariant&
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
PickResultPointer LaserPointer::getPickResultCopy(const PickResultPointer& pickResult) const {
|
||||||
|
auto rayPickResult = std::dynamic_pointer_cast<RayPickResult>(pickResult);
|
||||||
|
if (!rayPickResult) {
|
||||||
|
return std::make_shared<RayPickResult>();
|
||||||
|
}
|
||||||
|
return std::make_shared<RayPickResult>(*rayPickResult.get());
|
||||||
|
}
|
||||||
|
|
||||||
QVariantMap LaserPointer::toVariantMap() const {
|
QVariantMap LaserPointer::toVariantMap() const {
|
||||||
QVariantMap qVariantMap;
|
QVariantMap qVariantMap;
|
||||||
|
|
||||||
|
|
|
@ -47,6 +47,8 @@ public:
|
||||||
static std::shared_ptr<StartEndRenderState> buildRenderState(const QVariantMap& propMap);
|
static std::shared_ptr<StartEndRenderState> buildRenderState(const QVariantMap& propMap);
|
||||||
|
|
||||||
protected:
|
protected:
|
||||||
|
PickResultPointer getPickResultCopy(const PickResultPointer& pickResult) const override;
|
||||||
|
|
||||||
void editRenderStatePath(const std::string& state, const QVariant& pathProps) override;
|
void editRenderStatePath(const std::string& state, const QVariant& pathProps) override;
|
||||||
|
|
||||||
glm::vec3 getPickOrigin(const PickResultPointer& pickResult) const override;
|
glm::vec3 getPickOrigin(const PickResultPointer& pickResult) const override;
|
||||||
|
|
|
@ -30,6 +30,14 @@ ParabolaPointer::ParabolaPointer(const QVariant& rayProps, const RenderStateMap&
|
||||||
{
|
{
|
||||||
}
|
}
|
||||||
|
|
||||||
|
PickResultPointer ParabolaPointer::getPickResultCopy(const PickResultPointer& pickResult) const {
|
||||||
|
auto parabolaPickResult = std::dynamic_pointer_cast<ParabolaPickResult>(pickResult);
|
||||||
|
if (!parabolaPickResult) {
|
||||||
|
return std::make_shared<ParabolaPickResult>();
|
||||||
|
}
|
||||||
|
return std::make_shared<ParabolaPickResult>(*parabolaPickResult.get());
|
||||||
|
}
|
||||||
|
|
||||||
void ParabolaPointer::editRenderStatePath(const std::string& state, const QVariant& pathProps) {
|
void ParabolaPointer::editRenderStatePath(const std::string& state, const QVariant& pathProps) {
|
||||||
auto renderState = std::static_pointer_cast<RenderState>(_renderStates[state]);
|
auto renderState = std::static_pointer_cast<RenderState>(_renderStates[state]);
|
||||||
if (renderState) {
|
if (renderState) {
|
||||||
|
|
|
@ -102,6 +102,8 @@ public:
|
||||||
static std::shared_ptr<StartEndRenderState> buildRenderState(const QVariantMap& propMap);
|
static std::shared_ptr<StartEndRenderState> buildRenderState(const QVariantMap& propMap);
|
||||||
|
|
||||||
protected:
|
protected:
|
||||||
|
virtual PickResultPointer getPickResultCopy(const PickResultPointer& pickResult) const override;
|
||||||
|
|
||||||
void editRenderStatePath(const std::string& state, const QVariant& pathProps) override;
|
void editRenderStatePath(const std::string& state, const QVariant& pathProps) override;
|
||||||
|
|
||||||
glm::vec3 getPickOrigin(const PickResultPointer& pickResult) const override;
|
glm::vec3 getPickOrigin(const PickResultPointer& pickResult) const override;
|
||||||
|
|
|
@ -147,6 +147,14 @@ bool StylusPointer::shouldTrigger(const PickResultPointer& pickResult) {
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
PickResultPointer StylusPointer::getPickResultCopy(const PickResultPointer& pickResult) const {
|
||||||
|
auto stylusPickResult = std::dynamic_pointer_cast<StylusPickResult>(pickResult);
|
||||||
|
if (!stylusPickResult) {
|
||||||
|
return std::make_shared<StylusPickResult>();
|
||||||
|
}
|
||||||
|
return std::make_shared<StylusPickResult>(*stylusPickResult.get());
|
||||||
|
}
|
||||||
|
|
||||||
Pointer::PickedObject StylusPointer::getHoveredObject(const PickResultPointer& pickResult) {
|
Pointer::PickedObject StylusPointer::getHoveredObject(const PickResultPointer& pickResult) {
|
||||||
auto stylusPickResult = std::static_pointer_cast<const StylusPickResult>(pickResult);
|
auto stylusPickResult = std::static_pointer_cast<const StylusPickResult>(pickResult);
|
||||||
if (!stylusPickResult) {
|
if (!stylusPickResult) {
|
||||||
|
|
|
@ -42,6 +42,7 @@ protected:
|
||||||
Buttons getPressedButtons(const PickResultPointer& pickResult) override;
|
Buttons getPressedButtons(const PickResultPointer& pickResult) override;
|
||||||
bool shouldHover(const PickResultPointer& pickResult) override;
|
bool shouldHover(const PickResultPointer& pickResult) override;
|
||||||
bool shouldTrigger(const PickResultPointer& pickResult) override;
|
bool shouldTrigger(const PickResultPointer& pickResult) override;
|
||||||
|
virtual PickResultPointer getPickResultCopy(const PickResultPointer& pickResult) const override;
|
||||||
|
|
||||||
PointerEvent buildPointerEvent(const PickedObject& target, const PickResultPointer& pickResult, const std::string& button = "", bool hover = true) override;
|
PointerEvent buildPointerEvent(const PickedObject& target, const PickResultPointer& pickResult, const std::string& button = "", bool hover = true) override;
|
||||||
|
|
||||||
|
|
|
@ -180,6 +180,14 @@ void WindowScriptingInterface::setPreviousBrowseAssetLocation(const QString& loc
|
||||||
Setting::Handle<QVariant>(LAST_BROWSE_ASSETS_LOCATION_SETTING).set(location);
|
Setting::Handle<QVariant>(LAST_BROWSE_ASSETS_LOCATION_SETTING).set(location);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
bool WindowScriptingInterface::getInterstitialModeEnabled() const {
|
||||||
|
return DependencyManager::get<NodeList>()->getDomainHandler().getInterstitialModeEnabled();
|
||||||
|
}
|
||||||
|
|
||||||
|
void WindowScriptingInterface::setInterstitialModeEnabled(bool enableInterstitialMode) {
|
||||||
|
DependencyManager::get<NodeList>()->getDomainHandler().setInterstitialModeEnabled(enableInterstitialMode);
|
||||||
|
}
|
||||||
|
|
||||||
bool WindowScriptingInterface::isPointOnDesktopWindow(QVariant point) {
|
bool WindowScriptingInterface::isPointOnDesktopWindow(QVariant point) {
|
||||||
auto offscreenUi = DependencyManager::get<OffscreenUi>();
|
auto offscreenUi = DependencyManager::get<OffscreenUi>();
|
||||||
return offscreenUi->isPointOnDesktopWindow(point);
|
return offscreenUi->isPointOnDesktopWindow(point);
|
||||||
|
|
|
@ -49,6 +49,7 @@ class WindowScriptingInterface : public QObject, public Dependency {
|
||||||
Q_PROPERTY(int innerHeight READ getInnerHeight)
|
Q_PROPERTY(int innerHeight READ getInnerHeight)
|
||||||
Q_PROPERTY(int x READ getX)
|
Q_PROPERTY(int x READ getX)
|
||||||
Q_PROPERTY(int y READ getY)
|
Q_PROPERTY(int y READ getY)
|
||||||
|
Q_PROPERTY(bool interstitialModeEnabled READ getInterstitialModeEnabled WRITE setInterstitialModeEnabled)
|
||||||
|
|
||||||
public:
|
public:
|
||||||
WindowScriptingInterface();
|
WindowScriptingInterface();
|
||||||
|
@ -758,6 +759,9 @@ private:
|
||||||
QString getPreviousBrowseAssetLocation() const;
|
QString getPreviousBrowseAssetLocation() const;
|
||||||
void setPreviousBrowseAssetLocation(const QString& location);
|
void setPreviousBrowseAssetLocation(const QString& location);
|
||||||
|
|
||||||
|
bool getInterstitialModeEnabled() const;
|
||||||
|
void setInterstitialModeEnabled(bool enableInterstitialMode);
|
||||||
|
|
||||||
void ensureReticleVisible() const;
|
void ensureReticleVisible() const;
|
||||||
|
|
||||||
int createMessageBox(QString title, QString text, int buttons, int defaultButton);
|
int createMessageBox(QString title, QString text, int buttons, int defaultButton);
|
||||||
|
|
|
@ -66,6 +66,22 @@ void AvatarReplicas::removeReplicas(const QUuid& parentID) {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
std::vector<AvatarSharedPointer> AvatarReplicas::takeReplicas(const QUuid& parentID) {
|
||||||
|
std::vector<AvatarSharedPointer> replicas;
|
||||||
|
|
||||||
|
auto it = _replicasMap.find(parentID);
|
||||||
|
|
||||||
|
if (it != _replicasMap.end()) {
|
||||||
|
// take a copy of the replica shared pointers for this parent
|
||||||
|
replicas.swap(it->second);
|
||||||
|
|
||||||
|
// erase the replicas for this parent from our map
|
||||||
|
_replicasMap.erase(it);
|
||||||
|
}
|
||||||
|
|
||||||
|
return replicas;
|
||||||
|
}
|
||||||
|
|
||||||
void AvatarReplicas::processAvatarIdentity(const QUuid& parentID, const QByteArray& identityData, bool& identityChanged, bool& displayNameChanged) {
|
void AvatarReplicas::processAvatarIdentity(const QUuid& parentID, const QByteArray& identityData, bool& identityChanged, bool& displayNameChanged) {
|
||||||
if (_replicasMap.find(parentID) != _replicasMap.end()) {
|
if (_replicasMap.find(parentID) != _replicasMap.end()) {
|
||||||
auto &replicas = _replicasMap[parentID];
|
auto &replicas = _replicasMap[parentID];
|
||||||
|
@ -386,24 +402,31 @@ void AvatarHashMap::processKillAvatar(QSharedPointer<ReceivedMessage> message, S
|
||||||
}
|
}
|
||||||
|
|
||||||
void AvatarHashMap::removeAvatar(const QUuid& sessionUUID, KillAvatarReason removalReason) {
|
void AvatarHashMap::removeAvatar(const QUuid& sessionUUID, KillAvatarReason removalReason) {
|
||||||
QWriteLocker locker(&_hashLock);
|
std::vector<AvatarSharedPointer> removedAvatars;
|
||||||
|
|
||||||
auto replicaIDs = _replicas.getReplicaIDs(sessionUUID);
|
{
|
||||||
_replicas.removeReplicas(sessionUUID);
|
QWriteLocker locker(&_hashLock);
|
||||||
for (auto id : replicaIDs) {
|
|
||||||
auto removedReplica = _avatarHash.take(id);
|
auto replicas = _replicas.takeReplicas(sessionUUID);
|
||||||
if (removedReplica) {
|
|
||||||
handleRemovedAvatar(removedReplica, removalReason);
|
for (auto& replica : replicas) {
|
||||||
|
auto removedReplica = _avatarHash.take(replica->getID());
|
||||||
|
if (removedReplica) {
|
||||||
|
removedAvatars.push_back(removedReplica);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
_pendingAvatars.remove(sessionUUID);
|
||||||
|
auto removedAvatar = _avatarHash.take(sessionUUID);
|
||||||
|
|
||||||
|
if (removedAvatar) {
|
||||||
|
removedAvatars.push_back(removedAvatar);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
_pendingAvatars.remove(sessionUUID);
|
for (auto& removedAvatar: removedAvatars) {
|
||||||
auto removedAvatar = _avatarHash.take(sessionUUID);
|
|
||||||
|
|
||||||
if (removedAvatar) {
|
|
||||||
handleRemovedAvatar(removedAvatar, removalReason);
|
handleRemovedAvatar(removedAvatar, removalReason);
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
void AvatarHashMap::handleRemovedAvatar(const AvatarSharedPointer& removedAvatar, KillAvatarReason removalReason) {
|
void AvatarHashMap::handleRemovedAvatar(const AvatarSharedPointer& removedAvatar, KillAvatarReason removalReason) {
|
||||||
|
@ -421,11 +444,18 @@ void AvatarHashMap::sessionUUIDChanged(const QUuid& sessionUUID, const QUuid& ol
|
||||||
}
|
}
|
||||||
|
|
||||||
void AvatarHashMap::clearOtherAvatars() {
|
void AvatarHashMap::clearOtherAvatars() {
|
||||||
QWriteLocker locker(&_hashLock);
|
QList<AvatarSharedPointer> removedAvatars;
|
||||||
|
|
||||||
for (auto& av : _avatarHash) {
|
{
|
||||||
handleRemovedAvatar(av);
|
QWriteLocker locker(&_hashLock);
|
||||||
|
|
||||||
|
// grab a copy of the current avatars so we can call handleRemoveAvatar for them
|
||||||
|
removedAvatars = _avatarHash.values();
|
||||||
|
|
||||||
|
_avatarHash.clear();
|
||||||
}
|
}
|
||||||
|
|
||||||
_avatarHash.clear();
|
for (auto& av : removedAvatars) {
|
||||||
|
handleRemovedAvatar(av);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -49,6 +49,7 @@ public:
|
||||||
void parseDataFromBuffer(const QUuid& parentID, const QByteArray& buffer);
|
void parseDataFromBuffer(const QUuid& parentID, const QByteArray& buffer);
|
||||||
void processAvatarIdentity(const QUuid& parentID, const QByteArray& identityData, bool& identityChanged, bool& displayNameChanged);
|
void processAvatarIdentity(const QUuid& parentID, const QByteArray& identityData, bool& identityChanged, bool& displayNameChanged);
|
||||||
void removeReplicas(const QUuid& parentID);
|
void removeReplicas(const QUuid& parentID);
|
||||||
|
std::vector<AvatarSharedPointer> takeReplicas(const QUuid& parentID);
|
||||||
void processTrait(const QUuid& parentID, AvatarTraits::TraitType traitType, QByteArray traitBinaryData);
|
void processTrait(const QUuid& parentID, AvatarTraits::TraitType traitType, QByteArray traitBinaryData);
|
||||||
void processDeletedTraitInstance(const QUuid& parentID, AvatarTraits::TraitType traitType, AvatarTraits::TraitInstanceID instanceID);
|
void processDeletedTraitInstance(const QUuid& parentID, AvatarTraits::TraitType traitType, AvatarTraits::TraitInstanceID instanceID);
|
||||||
void processTraitInstance(const QUuid& parentID, AvatarTraits::TraitType traitType,
|
void processTraitInstance(const QUuid& parentID, AvatarTraits::TraitType traitType,
|
||||||
|
@ -179,7 +180,7 @@ protected:
|
||||||
bool& isNew);
|
bool& isNew);
|
||||||
virtual AvatarSharedPointer findAvatar(const QUuid& sessionUUID) const; // uses a QReadLocker on the hashLock
|
virtual AvatarSharedPointer findAvatar(const QUuid& sessionUUID) const; // uses a QReadLocker on the hashLock
|
||||||
virtual void removeAvatar(const QUuid& sessionUUID, KillAvatarReason removalReason = KillAvatarReason::NoReason);
|
virtual void removeAvatar(const QUuid& sessionUUID, KillAvatarReason removalReason = KillAvatarReason::NoReason);
|
||||||
|
|
||||||
virtual void handleRemovedAvatar(const AvatarSharedPointer& removedAvatar, KillAvatarReason removalReason = KillAvatarReason::NoReason);
|
virtual void handleRemovedAvatar(const AvatarSharedPointer& removedAvatar, KillAvatarReason removalReason = KillAvatarReason::NoReason);
|
||||||
|
|
||||||
AvatarHash _avatarHash;
|
AvatarHash _avatarHash;
|
||||||
|
|
|
@ -140,8 +140,7 @@ public:
|
||||||
* </table>
|
* </table>
|
||||||
* @typedef {number} location.LookupTrigger
|
* @typedef {number} location.LookupTrigger
|
||||||
*/
|
*/
|
||||||
enum LookupTrigger
|
enum LookupTrigger {
|
||||||
{
|
|
||||||
UserInput,
|
UserInput,
|
||||||
Back,
|
Back,
|
||||||
Forward,
|
Forward,
|
||||||
|
@ -207,9 +206,8 @@ public slots:
|
||||||
// functions and signals that should be exposed are moved to a scripting interface class.
|
// functions and signals that should be exposed are moved to a scripting interface class.
|
||||||
//
|
//
|
||||||
// we currently expect this to be called from NodeList once handleLookupString has been called with a path
|
// we currently expect this to be called from NodeList once handleLookupString has been called with a path
|
||||||
bool goToViewpointForPath(const QString& viewpointString, const QString& pathString) {
|
bool goToViewpointForPath(const QString& viewpointString, const QString& pathString)
|
||||||
return handleViewpoint(viewpointString, false, DomainPathResponse, false, pathString);
|
{ return handleViewpoint(viewpointString, false, DomainPathResponse, false, pathString); }
|
||||||
}
|
|
||||||
|
|
||||||
/**jsdoc
|
/**jsdoc
|
||||||
* Go back to the previous location in your navigation history, if there is one.
|
* Go back to the previous location in your navigation history, if there is one.
|
||||||
|
@ -231,8 +229,7 @@ public slots:
|
||||||
* location history is correctly maintained.
|
* location history is correctly maintained.
|
||||||
*/
|
*/
|
||||||
void goToLocalSandbox(QString path = "", LookupTrigger trigger = LookupTrigger::StartupFromSettings) {
|
void goToLocalSandbox(QString path = "", LookupTrigger trigger = LookupTrigger::StartupFromSettings) {
|
||||||
handleUrl(SANDBOX_HIFI_ADDRESS + path, trigger);
|
handleUrl(SANDBOX_HIFI_ADDRESS + path, trigger); }
|
||||||
}
|
|
||||||
|
|
||||||
/**jsdoc
|
/**jsdoc
|
||||||
* Go to the default "welcome" metaverse address.
|
* Go to the default "welcome" metaverse address.
|
||||||
|
@ -364,8 +361,7 @@ signals:
|
||||||
* location.locationChangeRequired.connect(onLocationChangeRequired);
|
* location.locationChangeRequired.connect(onLocationChangeRequired);
|
||||||
*/
|
*/
|
||||||
void locationChangeRequired(const glm::vec3& newPosition,
|
void locationChangeRequired(const glm::vec3& newPosition,
|
||||||
bool hasOrientationChange,
|
bool hasOrientationChange, const glm::quat& newOrientation,
|
||||||
const glm::quat& newOrientation,
|
|
||||||
bool shouldFaceLocation);
|
bool shouldFaceLocation);
|
||||||
|
|
||||||
/**jsdoc
|
/**jsdoc
|
||||||
|
@ -448,11 +444,8 @@ private:
|
||||||
|
|
||||||
bool handleNetworkAddress(const QString& lookupString, LookupTrigger trigger, bool& hostChanged);
|
bool handleNetworkAddress(const QString& lookupString, LookupTrigger trigger, bool& hostChanged);
|
||||||
void handlePath(const QString& path, LookupTrigger trigger, bool wasPathOnly = false);
|
void handlePath(const QString& path, LookupTrigger trigger, bool wasPathOnly = false);
|
||||||
bool handleViewpoint(const QString& viewpointString,
|
bool handleViewpoint(const QString& viewpointString, bool shouldFace, LookupTrigger trigger,
|
||||||
bool shouldFace,
|
bool definitelyPathOnly = false, const QString& pathString = QString());
|
||||||
LookupTrigger trigger,
|
|
||||||
bool definitelyPathOnly = false,
|
|
||||||
const QString& pathString = QString());
|
|
||||||
bool handleUsername(const QString& lookupString);
|
bool handleUsername(const QString& lookupString);
|
||||||
bool handleDomainID(const QString& host);
|
bool handleDomainID(const QString& host);
|
||||||
|
|
||||||
|
|
|
@ -15,6 +15,10 @@
|
||||||
|
|
||||||
#include <PathUtils.h>
|
#include <PathUtils.h>
|
||||||
|
|
||||||
|
#include <shared/QtHelpers.h>
|
||||||
|
|
||||||
|
#include <QThread>
|
||||||
|
|
||||||
#include <QtCore/QJsonDocument>
|
#include <QtCore/QJsonDocument>
|
||||||
#include <QtCore/QDataStream>
|
#include <QtCore/QDataStream>
|
||||||
|
|
||||||
|
@ -134,6 +138,18 @@ void DomainHandler::hardReset() {
|
||||||
_pendingPath.clear();
|
_pendingPath.clear();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
bool DomainHandler::getInterstitialModeEnabled() const {
|
||||||
|
return _interstitialModeSettingLock.resultWithReadLock<bool>([&] {
|
||||||
|
return _enableInterstitialMode.get();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
void DomainHandler::setInterstitialModeEnabled(bool enableInterstitialMode) {
|
||||||
|
_interstitialModeSettingLock.withWriteLock([&] {
|
||||||
|
_enableInterstitialMode.set(enableInterstitialMode);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
void DomainHandler::setErrorDomainURL(const QUrl& url) {
|
void DomainHandler::setErrorDomainURL(const QUrl& url) {
|
||||||
_errorDomainURL = url;
|
_errorDomainURL = url;
|
||||||
return;
|
return;
|
||||||
|
@ -340,11 +356,15 @@ void DomainHandler::loadedErrorDomain(std::map<QString, QString> namedPaths) {
|
||||||
DependencyManager::get<AddressManager>()->goToViewpointForPath(viewpoint, QString());
|
DependencyManager::get<AddressManager>()->goToViewpointForPath(viewpoint, QString());
|
||||||
}
|
}
|
||||||
|
|
||||||
void DomainHandler::setRedirectErrorState(QUrl errorUrl, int reasonCode) {
|
void DomainHandler::setRedirectErrorState(QUrl errorUrl, QString reasonMessage, int reasonCode, const QString& extraInfo) {
|
||||||
_errorDomainURL = errorUrl;
|
|
||||||
_lastDomainConnectionError = reasonCode;
|
_lastDomainConnectionError = reasonCode;
|
||||||
_isInErrorState = true;
|
if (getInterstitialModeEnabled()) {
|
||||||
emit redirectToErrorDomainURL(_errorDomainURL);
|
_errorDomainURL = errorUrl;
|
||||||
|
_isInErrorState = true;
|
||||||
|
emit redirectToErrorDomainURL(_errorDomainURL);
|
||||||
|
} else {
|
||||||
|
emit domainConnectionRefused(reasonMessage, reasonCode, extraInfo);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
void DomainHandler::requestDomainSettings() {
|
void DomainHandler::requestDomainSettings() {
|
||||||
|
@ -485,13 +505,9 @@ void DomainHandler::processDomainServerConnectionDeniedPacket(QSharedPointer<Rec
|
||||||
#if defined(Q_OS_ANDROID)
|
#if defined(Q_OS_ANDROID)
|
||||||
emit domainConnectionRefused(reasonMessage, (int)reasonCode, extraInfo);
|
emit domainConnectionRefused(reasonMessage, (int)reasonCode, extraInfo);
|
||||||
#else
|
#else
|
||||||
if (reasonCode == ConnectionRefusedReason::ProtocolMismatch || reasonCode == ConnectionRefusedReason::NotAuthorized) {
|
|
||||||
// ingest the error - this is a "hard" connection refusal.
|
// ingest the error - this is a "hard" connection refusal.
|
||||||
setRedirectErrorState(_errorDomainURL, (int)reasonCode);
|
setRedirectErrorState(_errorDomainURL, reasonMessage, (int)reasonCode, extraInfo);
|
||||||
} else {
|
|
||||||
emit domainConnectionRefused(reasonMessage, (int)reasonCode, extraInfo);
|
|
||||||
}
|
|
||||||
_lastDomainConnectionError = (int)reasonCode;
|
|
||||||
#endif
|
#endif
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -19,6 +19,9 @@
|
||||||
#include <QtCore/QUrl>
|
#include <QtCore/QUrl>
|
||||||
#include <QtNetwork/QHostInfo>
|
#include <QtNetwork/QHostInfo>
|
||||||
|
|
||||||
|
#include <shared/ReadWriteLockable.h>
|
||||||
|
#include <SettingHandle.h>
|
||||||
|
|
||||||
#include "HifiSockAddr.h"
|
#include "HifiSockAddr.h"
|
||||||
#include "NetworkPeer.h"
|
#include "NetworkPeer.h"
|
||||||
#include "NLPacket.h"
|
#include "NLPacket.h"
|
||||||
|
@ -83,6 +86,8 @@ public:
|
||||||
bool isConnected() const { return _isConnected; }
|
bool isConnected() const { return _isConnected; }
|
||||||
void setIsConnected(bool isConnected);
|
void setIsConnected(bool isConnected);
|
||||||
bool isServerless() const { return _domainURL.scheme() != URL_SCHEME_HIFI; }
|
bool isServerless() const { return _domainURL.scheme() != URL_SCHEME_HIFI; }
|
||||||
|
bool getInterstitialModeEnabled() const;
|
||||||
|
void setInterstitialModeEnabled(bool enableInterstitialMode);
|
||||||
|
|
||||||
void connectedToServerless(std::map<QString, QString> namedPaths);
|
void connectedToServerless(std::map<QString, QString> namedPaths);
|
||||||
|
|
||||||
|
@ -171,7 +176,7 @@ public slots:
|
||||||
void processDomainServerConnectionDeniedPacket(QSharedPointer<ReceivedMessage> message);
|
void processDomainServerConnectionDeniedPacket(QSharedPointer<ReceivedMessage> message);
|
||||||
|
|
||||||
// sets domain handler in error state.
|
// sets domain handler in error state.
|
||||||
void setRedirectErrorState(QUrl errorUrl, int reasonCode);
|
void setRedirectErrorState(QUrl errorUrl, QString reasonMessage = "", int reason = -1, const QString& extraInfo = "");
|
||||||
|
|
||||||
bool isInErrorState() { return _isInErrorState; }
|
bool isInErrorState() { return _isInErrorState; }
|
||||||
|
|
||||||
|
@ -224,6 +229,8 @@ private:
|
||||||
QJsonObject _settingsObject;
|
QJsonObject _settingsObject;
|
||||||
QString _pendingPath;
|
QString _pendingPath;
|
||||||
QTimer _settingsTimer;
|
QTimer _settingsTimer;
|
||||||
|
mutable ReadWriteLockable _interstitialModeSettingLock;
|
||||||
|
Setting::Handle<bool> _enableInterstitialMode{ "enableInterstitialMode", false };
|
||||||
|
|
||||||
QSet<QString> _domainConnectionRefusals;
|
QSet<QString> _domainConnectionRefusals;
|
||||||
bool _hasCheckedForAccessToken { false };
|
bool _hasCheckedForAccessToken { false };
|
||||||
|
|
|
@ -68,7 +68,8 @@ void Pointer::update(unsigned int pointerID) {
|
||||||
// This only needs to be a read lock because update won't change any of the properties that can be modified from scripts
|
// This only needs to be a read lock because update won't change any of the properties that can be modified from scripts
|
||||||
withReadLock([&] {
|
withReadLock([&] {
|
||||||
auto pickResult = getPrevPickResult();
|
auto pickResult = getPrevPickResult();
|
||||||
auto visualPickResult = getVisualPickResult(pickResult);
|
// Pointer needs its own PickResult object so it doesn't modify the cached pick result
|
||||||
|
auto visualPickResult = getVisualPickResult(getPickResultCopy(pickResult));
|
||||||
updateVisuals(visualPickResult);
|
updateVisuals(visualPickResult);
|
||||||
generatePointerEvents(pointerID, visualPickResult);
|
generatePointerEvents(pointerID, visualPickResult);
|
||||||
});
|
});
|
||||||
|
|
|
@ -91,6 +91,7 @@ protected:
|
||||||
|
|
||||||
virtual bool shouldHover(const PickResultPointer& pickResult) { return true; }
|
virtual bool shouldHover(const PickResultPointer& pickResult) { return true; }
|
||||||
virtual bool shouldTrigger(const PickResultPointer& pickResult) { return true; }
|
virtual bool shouldTrigger(const PickResultPointer& pickResult) { return true; }
|
||||||
|
virtual PickResultPointer getPickResultCopy(const PickResultPointer& pickResult) const = 0;
|
||||||
virtual PickResultPointer getVisualPickResult(const PickResultPointer& pickResult) { return pickResult; };
|
virtual PickResultPointer getVisualPickResult(const PickResultPointer& pickResult) { return pickResult; };
|
||||||
|
|
||||||
static const float POINTER_MOVE_DELAY;
|
static const float POINTER_MOVE_DELAY;
|
||||||
|
|
|
@ -19,8 +19,8 @@
|
||||||
#include <time.h>
|
#include <time.h>
|
||||||
#include <mutex>
|
#include <mutex>
|
||||||
#include <thread>
|
#include <thread>
|
||||||
#include <set>
|
|
||||||
#include <unordered_map>
|
#include <unordered_map>
|
||||||
|
#include <chrono>
|
||||||
|
|
||||||
#include <glm/glm.hpp>
|
#include <glm/glm.hpp>
|
||||||
|
|
||||||
|
@ -127,82 +127,10 @@ void usecTimestampNowForceClockSkew(qint64 clockSkew) {
|
||||||
::usecTimestampNowAdjust = clockSkew;
|
::usecTimestampNowAdjust = clockSkew;
|
||||||
}
|
}
|
||||||
|
|
||||||
static std::atomic<qint64> TIME_REFERENCE { 0 }; // in usec
|
|
||||||
static std::once_flag usecTimestampNowIsInitialized;
|
|
||||||
static QElapsedTimer timestampTimer;
|
|
||||||
|
|
||||||
quint64 usecTimestampNow(bool wantDebug) {
|
quint64 usecTimestampNow(bool wantDebug) {
|
||||||
std::call_once(usecTimestampNowIsInitialized, [&] {
|
using namespace std::chrono;
|
||||||
TIME_REFERENCE = QDateTime::currentMSecsSinceEpoch() * USECS_PER_MSEC; // ms to usec
|
static const auto unixEpoch = system_clock::from_time_t(0);
|
||||||
timestampTimer.start();
|
return duration_cast<microseconds>(system_clock::now() - unixEpoch).count() + usecTimestampNowAdjust;
|
||||||
});
|
|
||||||
|
|
||||||
quint64 now;
|
|
||||||
quint64 nsecsElapsed = timestampTimer.nsecsElapsed();
|
|
||||||
quint64 usecsElapsed = nsecsElapsed / NSECS_PER_USEC; // nsec to usec
|
|
||||||
|
|
||||||
// QElapsedTimer may not advance if the CPU has gone to sleep. In which case it
|
|
||||||
// will begin to deviate from real time. We detect that here, and reset if necessary
|
|
||||||
quint64 msecsCurrentTime = QDateTime::currentMSecsSinceEpoch();
|
|
||||||
quint64 msecsEstimate = (TIME_REFERENCE + usecsElapsed) / USECS_PER_MSEC; // usecs to msecs
|
|
||||||
int possibleSkew = msecsEstimate - msecsCurrentTime;
|
|
||||||
const int TOLERANCE = 10 * MSECS_PER_SECOND; // up to 10 seconds of skew is tolerated
|
|
||||||
if (abs(possibleSkew) > TOLERANCE) {
|
|
||||||
// reset our TIME_REFERENCE and timer
|
|
||||||
TIME_REFERENCE = QDateTime::currentMSecsSinceEpoch() * USECS_PER_MSEC; // ms to usec
|
|
||||||
timestampTimer.restart();
|
|
||||||
now = TIME_REFERENCE + ::usecTimestampNowAdjust;
|
|
||||||
|
|
||||||
if (wantDebug) {
|
|
||||||
qCDebug(shared) << "usecTimestampNow() - resetting QElapsedTimer. ";
|
|
||||||
qCDebug(shared) << " msecsCurrentTime:" << msecsCurrentTime;
|
|
||||||
qCDebug(shared) << " msecsEstimate:" << msecsEstimate;
|
|
||||||
qCDebug(shared) << " possibleSkew:" << possibleSkew;
|
|
||||||
qCDebug(shared) << " TOLERANCE:" << TOLERANCE;
|
|
||||||
|
|
||||||
qCDebug(shared) << " nsecsElapsed:" << nsecsElapsed;
|
|
||||||
qCDebug(shared) << " usecsElapsed:" << usecsElapsed;
|
|
||||||
|
|
||||||
QDateTime currentLocalTime = QDateTime::currentDateTime();
|
|
||||||
|
|
||||||
quint64 msecsNow = now / 1000; // usecs to msecs
|
|
||||||
QDateTime nowAsString;
|
|
||||||
nowAsString.setMSecsSinceEpoch(msecsNow);
|
|
||||||
|
|
||||||
qCDebug(shared) << " now:" << now;
|
|
||||||
qCDebug(shared) << " msecsNow:" << msecsNow;
|
|
||||||
|
|
||||||
qCDebug(shared) << " nowAsString:" << nowAsString.toString("yyyy-MM-dd hh:mm:ss.zzz");
|
|
||||||
qCDebug(shared) << " currentLocalTime:" << currentLocalTime.toString("yyyy-MM-dd hh:mm:ss.zzz");
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
now = TIME_REFERENCE + usecsElapsed + ::usecTimestampNowAdjust;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (wantDebug) {
|
|
||||||
QDateTime currentLocalTime = QDateTime::currentDateTime();
|
|
||||||
|
|
||||||
quint64 msecsNow = now / 1000; // usecs to msecs
|
|
||||||
QDateTime nowAsString;
|
|
||||||
nowAsString.setMSecsSinceEpoch(msecsNow);
|
|
||||||
|
|
||||||
quint64 msecsTimeReference = TIME_REFERENCE / 1000; // usecs to msecs
|
|
||||||
QDateTime timeReferenceAsString;
|
|
||||||
timeReferenceAsString.setMSecsSinceEpoch(msecsTimeReference);
|
|
||||||
|
|
||||||
qCDebug(shared) << "usecTimestampNow() - details... ";
|
|
||||||
qCDebug(shared) << " TIME_REFERENCE:" << TIME_REFERENCE;
|
|
||||||
qCDebug(shared) << " timeReferenceAsString:" << timeReferenceAsString.toString("yyyy-MM-dd hh:mm:ss.zzz");
|
|
||||||
qCDebug(shared) << " usecTimestampNowAdjust:" << usecTimestampNowAdjust;
|
|
||||||
qCDebug(shared) << " nsecsElapsed:" << nsecsElapsed;
|
|
||||||
qCDebug(shared) << " usecsElapsed:" << usecsElapsed;
|
|
||||||
qCDebug(shared) << " now:" << now;
|
|
||||||
qCDebug(shared) << " msecsNow:" << msecsNow;
|
|
||||||
qCDebug(shared) << " nowAsString:" << nowAsString.toString("yyyy-MM-dd hh:mm:ss.zzz");
|
|
||||||
qCDebug(shared) << " currentLocalTime:" << currentLocalTime.toString("yyyy-MM-dd hh:mm:ss.zzz");
|
|
||||||
}
|
|
||||||
|
|
||||||
return now;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
float secTimestampNow() {
|
float secTimestampNow() {
|
||||||
|
|
|
@ -500,6 +500,35 @@ function walletClosed() {
|
||||||
//
|
//
|
||||||
// Manage the connection between the button and the window.
|
// Manage the connection between the button and the window.
|
||||||
//
|
//
|
||||||
|
var DEVELOPER_MENU = "Developer";
|
||||||
|
var MARKETPLACE_ITEM_TESTER_LABEL = "Marketplace Item Tester";
|
||||||
|
var MARKETPLACE_ITEM_TESTER_QML_SOURCE = "hifi/commerce/marketplaceItemTester/MarketplaceItemTester.qml";
|
||||||
|
function installMarketplaceItemTester() {
|
||||||
|
if (!Menu.menuExists(DEVELOPER_MENU)) {
|
||||||
|
Menu.addMenu(DEVELOPER_MENU);
|
||||||
|
}
|
||||||
|
if (!Menu.menuItemExists(DEVELOPER_MENU, MARKETPLACE_ITEM_TESTER_LABEL)) {
|
||||||
|
Menu.addMenuItem({ menuName: DEVELOPER_MENU,
|
||||||
|
menuItemName: MARKETPLACE_ITEM_TESTER_LABEL,
|
||||||
|
isCheckable: false })
|
||||||
|
}
|
||||||
|
|
||||||
|
Menu.menuItemEvent.connect(function (menuItem) {
|
||||||
|
if (menuItem === MARKETPLACE_ITEM_TESTER_LABEL) {
|
||||||
|
var tablet = Tablet.getTablet("com.highfidelity.interface.tablet.system");
|
||||||
|
tablet.loadQMLSource(MARKETPLACE_ITEM_TESTER_QML_SOURCE);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
function uninstallMarketplaceItemTester() {
|
||||||
|
if (Menu.menuExists(DEVELOPER_MENU) &&
|
||||||
|
Menu.menuItemExists(DEVELOPER_MENU, MARKETPLACE_ITEM_TESTER_LABEL)
|
||||||
|
) {
|
||||||
|
Menu.removeMenuItem(DEVELOPER_MENU, MARKETPLACE_ITEM_TESTER_LABEL);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
var BUTTON_NAME = "WALLET";
|
var BUTTON_NAME = "WALLET";
|
||||||
var WALLET_QML_SOURCE = "hifi/commerce/wallet/Wallet.qml";
|
var WALLET_QML_SOURCE = "hifi/commerce/wallet/Wallet.qml";
|
||||||
var ui;
|
var ui;
|
||||||
|
@ -513,7 +542,9 @@ function startup() {
|
||||||
onMessage: fromQml
|
onMessage: fromQml
|
||||||
});
|
});
|
||||||
GlobalServices.myUsernameChanged.connect(onUsernameChanged);
|
GlobalServices.myUsernameChanged.connect(onUsernameChanged);
|
||||||
|
installMarketplaceItemTester();
|
||||||
}
|
}
|
||||||
|
|
||||||
var isUpdateOverlaysWired = false;
|
var isUpdateOverlaysWired = false;
|
||||||
function off() {
|
function off() {
|
||||||
Users.usernameFromIDReply.disconnect(usernameFromIDReply);
|
Users.usernameFromIDReply.disconnect(usernameFromIDReply);
|
||||||
|
@ -528,9 +559,11 @@ function off() {
|
||||||
}
|
}
|
||||||
removeOverlays();
|
removeOverlays();
|
||||||
}
|
}
|
||||||
|
|
||||||
function shutdown() {
|
function shutdown() {
|
||||||
GlobalServices.myUsernameChanged.disconnect(onUsernameChanged);
|
GlobalServices.myUsernameChanged.disconnect(onUsernameChanged);
|
||||||
deleteSendMoneyParticleEffect();
|
deleteSendMoneyParticleEffect();
|
||||||
|
uninstallMarketplaceItemTester();
|
||||||
off();
|
off();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -37,7 +37,7 @@
|
||||||
this.highlightedEntities = [];
|
this.highlightedEntities = [];
|
||||||
|
|
||||||
this.parameters = dispatcherUtils.makeDispatcherModuleParameters(
|
this.parameters = dispatcherUtils.makeDispatcherModuleParameters(
|
||||||
120,
|
480,
|
||||||
this.hand === dispatcherUtils.RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
this.hand === dispatcherUtils.RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
||||||
[],
|
[],
|
||||||
100);
|
100);
|
||||||
|
|
|
@ -29,7 +29,7 @@ Script.include("/~/system/libraries/utils.js");
|
||||||
this.reticleMaxY;
|
this.reticleMaxY;
|
||||||
|
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
200,
|
160,
|
||||||
this.hand === RIGHT_HAND ? ["rightHand", "rightHandEquip", "rightHandTrigger"] : ["leftHand", "leftHandEquip", "leftHandTrigger"],
|
this.hand === RIGHT_HAND ? ["rightHand", "rightHandEquip", "rightHandTrigger"] : ["leftHand", "leftHandEquip", "leftHandTrigger"],
|
||||||
[],
|
[],
|
||||||
100,
|
100,
|
||||||
|
|
|
@ -21,7 +21,7 @@ Script.include("/~/system/libraries/controllerDispatcherUtils.js");
|
||||||
this.disableModules = false;
|
this.disableModules = false;
|
||||||
var NO_HAND_LASER = -1; // Invalid hand parameter so that default laser is not displayed.
|
var NO_HAND_LASER = -1; // Invalid hand parameter so that default laser is not displayed.
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
240, // Not too high otherwise the tablet laser doesn't work.
|
200, // Not too high otherwise the tablet laser doesn't work.
|
||||||
this.hand === RIGHT_HAND
|
this.hand === RIGHT_HAND
|
||||||
? ["rightHand", "rightHandEquip", "rightHandTrigger"]
|
? ["rightHand", "rightHandEquip", "rightHandTrigger"]
|
||||||
: ["leftHand", "leftHandEquip", "leftHandTrigger"],
|
: ["leftHand", "leftHandEquip", "leftHandTrigger"],
|
||||||
|
|
|
@ -26,7 +26,7 @@ Script.include("/~/system/libraries/cloneEntityUtils.js");
|
||||||
this.hapticTargetID = null;
|
this.hapticTargetID = null;
|
||||||
|
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
140,
|
500,
|
||||||
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
||||||
[],
|
[],
|
||||||
100);
|
100);
|
||||||
|
|
|
@ -21,7 +21,7 @@
|
||||||
this.hyperlink = "";
|
this.hyperlink = "";
|
||||||
|
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
125,
|
485,
|
||||||
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
||||||
[],
|
[],
|
||||||
100);
|
100);
|
||||||
|
|
|
@ -57,7 +57,7 @@ Script.include("/~/system/libraries/controllers.js");
|
||||||
this.cloneAllowed = true;
|
this.cloneAllowed = true;
|
||||||
|
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
140,
|
500,
|
||||||
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
this.hand === RIGHT_HAND ? ["rightHand"] : ["leftHand"],
|
||||||
[],
|
[],
|
||||||
100);
|
100);
|
||||||
|
|
|
@ -29,7 +29,7 @@ Script.include("/~/system/libraries/controllerDispatcherUtils.js");
|
||||||
this.startSent = false;
|
this.startSent = false;
|
||||||
|
|
||||||
this.parameters = makeDispatcherModuleParameters(
|
this.parameters = makeDispatcherModuleParameters(
|
||||||
120,
|
480,
|
||||||
this.hand === RIGHT_HAND ? ["rightHandTrigger", "rightHand"] : ["leftHandTrigger", "leftHand"],
|
this.hand === RIGHT_HAND ? ["rightHandTrigger", "rightHand"] : ["leftHandTrigger", "leftHand"],
|
||||||
[],
|
[],
|
||||||
100);
|
100);
|
||||||
|
|
|
@ -121,7 +121,7 @@ Script.include("/~/system/libraries/controllers.js");
|
||||||
controllerData.triggerValues[this.otherHand] <= TRIGGER_OFF_VALUE;
|
controllerData.triggerValues[this.otherHand] <= TRIGGER_OFF_VALUE;
|
||||||
var allowThisModule = !otherModuleRunning || isTriggerPressed;
|
var allowThisModule = !otherModuleRunning || isTriggerPressed;
|
||||||
|
|
||||||
if (allowThisModule && this.isPointingAtTriggerable(controllerData, isTriggerPressed, false)) {
|
if ((allowThisModule && this.isPointingAtTriggerable(controllerData, isTriggerPressed, false)) && !this.grabModuleWantsNearbyOverlay(controllerData)) {
|
||||||
this.updateAllwaysOn();
|
this.updateAllwaysOn();
|
||||||
if (isTriggerPressed) {
|
if (isTriggerPressed) {
|
||||||
this.dominantHandOverride = true; // Override dominant hand.
|
this.dominantHandOverride = true; // Override dominant hand.
|
||||||
|
|
|
@ -20,13 +20,14 @@ var AppUi = Script.require('appUi');
|
||||||
Script.include("/~/system/libraries/gridTool.js");
|
Script.include("/~/system/libraries/gridTool.js");
|
||||||
Script.include("/~/system/libraries/connectionUtils.js");
|
Script.include("/~/system/libraries/connectionUtils.js");
|
||||||
|
|
||||||
var METAVERSE_SERVER_URL = Account.metaverseServerURL;
|
|
||||||
var MARKETPLACES_URL = Script.resolvePath("../html/marketplaces.html");
|
|
||||||
var MARKETPLACES_INJECT_SCRIPT_URL = Script.resolvePath("../html/js/marketplacesInject.js");
|
|
||||||
var MARKETPLACE_CHECKOUT_QML_PATH = "hifi/commerce/checkout/Checkout.qml";
|
var MARKETPLACE_CHECKOUT_QML_PATH = "hifi/commerce/checkout/Checkout.qml";
|
||||||
|
var MARKETPLACE_INSPECTIONCERTIFICATE_QML_PATH = "hifi/commerce/inspectionCertificate/InspectionCertificate.qml";
|
||||||
|
var MARKETPLACE_ITEM_TESTER_QML_PATH = "hifi/commerce/marketplaceItemTester/MarketplaceItemTester.qml";
|
||||||
var MARKETPLACE_PURCHASES_QML_PATH = "hifi/commerce/purchases/Purchases.qml";
|
var MARKETPLACE_PURCHASES_QML_PATH = "hifi/commerce/purchases/Purchases.qml";
|
||||||
var MARKETPLACE_WALLET_QML_PATH = "hifi/commerce/wallet/Wallet.qml";
|
var MARKETPLACE_WALLET_QML_PATH = "hifi/commerce/wallet/Wallet.qml";
|
||||||
var MARKETPLACE_INSPECTIONCERTIFICATE_QML_PATH = "hifi/commerce/inspectionCertificate/InspectionCertificate.qml";
|
var MARKETPLACES_INJECT_SCRIPT_URL = Script.resolvePath("../html/js/marketplacesInject.js");
|
||||||
|
var MARKETPLACES_URL = Script.resolvePath("../html/marketplaces.html");
|
||||||
|
var METAVERSE_SERVER_URL = Account.metaverseServerURL;
|
||||||
var REZZING_SOUND = SoundCache.getSound(Script.resolvePath("../assets/sounds/rezzing.wav"));
|
var REZZING_SOUND = SoundCache.getSound(Script.resolvePath("../assets/sounds/rezzing.wav"));
|
||||||
|
|
||||||
// Event bridge messages.
|
// Event bridge messages.
|
||||||
|
@ -756,7 +757,7 @@ function deleteSendAssetParticleEffect() {
|
||||||
}
|
}
|
||||||
sendAssetRecipient = null;
|
sendAssetRecipient = null;
|
||||||
}
|
}
|
||||||
|
|
||||||
var savedDisablePreviewOption = Menu.isOptionChecked("Disable Preview");
|
var savedDisablePreviewOption = Menu.isOptionChecked("Disable Preview");
|
||||||
var UI_FADE_TIMEOUT_MS = 150;
|
var UI_FADE_TIMEOUT_MS = 150;
|
||||||
function maybeEnableHMDPreview() {
|
function maybeEnableHMDPreview() {
|
||||||
|
@ -768,6 +769,13 @@ function maybeEnableHMDPreview() {
|
||||||
}, UI_FADE_TIMEOUT_MS);
|
}, UI_FADE_TIMEOUT_MS);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
var resourceObjectsInTest = [];
|
||||||
|
function signalNewResourceObjectInTest(resourceObject) {
|
||||||
|
ui.tablet.sendToQml({
|
||||||
|
method: "newResourceObjectInTest",
|
||||||
|
resourceObject: resourceObject });
|
||||||
|
}
|
||||||
|
|
||||||
var onQmlMessageReceived = function onQmlMessageReceived(message) {
|
var onQmlMessageReceived = function onQmlMessageReceived(message) {
|
||||||
if (message.messageSrc === "HTML") {
|
if (message.messageSrc === "HTML") {
|
||||||
return;
|
return;
|
||||||
|
@ -817,8 +825,20 @@ var onQmlMessageReceived = function onQmlMessageReceived(message) {
|
||||||
break;
|
break;
|
||||||
case 'checkout_rezClicked':
|
case 'checkout_rezClicked':
|
||||||
case 'purchases_rezClicked':
|
case 'purchases_rezClicked':
|
||||||
|
case 'tester_rezClicked':
|
||||||
rezEntity(message.itemHref, message.itemType);
|
rezEntity(message.itemHref, message.itemType);
|
||||||
break;
|
break;
|
||||||
|
case 'tester_newResourceObject':
|
||||||
|
var resourceObject = message.resourceObject;
|
||||||
|
resourceObjectsInTest[resourceObject.id] = resourceObject;
|
||||||
|
signalNewResourceObjectInTest(resourceObject);
|
||||||
|
break;
|
||||||
|
case 'tester_updateResourceObjectAssetType':
|
||||||
|
resourceObjectsInTest[message.objectId].assetType = message.assetType;
|
||||||
|
break;
|
||||||
|
case 'tester_deleteResourceObject':
|
||||||
|
delete resourceObjectsInTest[message.objectId];
|
||||||
|
break;
|
||||||
case 'header_marketplaceImageClicked':
|
case 'header_marketplaceImageClicked':
|
||||||
case 'purchases_backClicked':
|
case 'purchases_backClicked':
|
||||||
ui.open(message.referrerURL, MARKETPLACES_INJECT_SCRIPT_URL);
|
ui.open(message.referrerURL, MARKETPLACES_INJECT_SCRIPT_URL);
|
||||||
|
@ -841,10 +861,6 @@ var onQmlMessageReceived = function onQmlMessageReceived(message) {
|
||||||
openLoginWindow();
|
openLoginWindow();
|
||||||
break;
|
break;
|
||||||
case 'disableHmdPreview':
|
case 'disableHmdPreview':
|
||||||
if (!savedDisablePreviewOption) {
|
|
||||||
savedDisablePreviewOption = Menu.isOptionChecked("Disable Preview");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!savedDisablePreviewOption) {
|
if (!savedDisablePreviewOption) {
|
||||||
DesktopPreviewProvider.setPreviewDisabledReason("SECURE_SCREEN");
|
DesktopPreviewProvider.setPreviewDisabledReason("SECURE_SCREEN");
|
||||||
Menu.setIsOptionChecked("Disable Preview", true);
|
Menu.setIsOptionChecked("Disable Preview", true);
|
||||||
|
@ -962,34 +978,65 @@ var onQmlMessageReceived = function onQmlMessageReceived(message) {
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
function pushResourceObjectsInTest() {
|
||||||
|
var maxObjectId = -1;
|
||||||
|
for (var objectId in resourceObjectsInTest) {
|
||||||
|
signalNewResourceObjectInTest(resourceObjectsInTest[objectId]);
|
||||||
|
maxObjectId = (maxObjectId < objectId) ? parseInt(objectId) : maxObjectId;
|
||||||
|
}
|
||||||
|
// N.B. Thinking about removing the following sendToQml? Be sure
|
||||||
|
// that the marketplace item tester QML has heard from us, at least
|
||||||
|
// so that it can indicate to the user that all of the resoruce
|
||||||
|
// objects in test have been transmitted to it.
|
||||||
|
ui.tablet.sendToQml({ method: "nextObjectIdInTest", id: maxObjectId + 1 });
|
||||||
|
}
|
||||||
|
|
||||||
// Function Name: onTabletScreenChanged()
|
// Function Name: onTabletScreenChanged()
|
||||||
//
|
//
|
||||||
// Description:
|
// Description:
|
||||||
// -Called when the TabletScriptingInterface::screenChanged() signal is emitted. The "type" argument can be either the string
|
// -Called when the TabletScriptingInterface::screenChanged() signal is emitted. The "type" argument can be either the string
|
||||||
// value of "Home", "Web", "Menu", "QML", or "Closed". The "url" argument is only valid for Web and QML.
|
// value of "Home", "Web", "Menu", "QML", or "Closed". The "url" argument is only valid for Web and QML.
|
||||||
var onMarketplaceScreen = false;
|
|
||||||
var onWalletScreen = false;
|
|
||||||
var onCommerceScreen = false;
|
var onCommerceScreen = false;
|
||||||
var onInspectionCertificateScreen = false;
|
var onInspectionCertificateScreen = false;
|
||||||
|
var onMarketplaceItemTesterScreen = false;
|
||||||
|
var onMarketplaceScreen = false;
|
||||||
|
var onWalletScreen = false;
|
||||||
var onTabletScreenChanged = function onTabletScreenChanged(type, url) {
|
var onTabletScreenChanged = function onTabletScreenChanged(type, url) {
|
||||||
ui.setCurrentVisibleScreenMetadata(type, url);
|
ui.setCurrentVisibleScreenMetadata(type, url);
|
||||||
onMarketplaceScreen = type === "Web" && url.indexOf(MARKETPLACE_URL) !== -1;
|
onMarketplaceScreen = type === "Web" && url.indexOf(MARKETPLACE_URL) !== -1;
|
||||||
onInspectionCertificateScreen = type === "QML" && url.indexOf(MARKETPLACE_INSPECTIONCERTIFICATE_QML_PATH) !== -1;
|
onInspectionCertificateScreen = type === "QML" && url.indexOf(MARKETPLACE_INSPECTIONCERTIFICATE_QML_PATH) !== -1;
|
||||||
var onWalletScreenNow = url.indexOf(MARKETPLACE_WALLET_QML_PATH) !== -1;
|
var onWalletScreenNow = url.indexOf(MARKETPLACE_WALLET_QML_PATH) !== -1;
|
||||||
var onCommerceScreenNow = type === "QML" &&
|
var onCommerceScreenNow = type === "QML" && (
|
||||||
(url.indexOf(MARKETPLACE_CHECKOUT_QML_PATH) !== -1 || url === MARKETPLACE_PURCHASES_QML_PATH ||
|
url.indexOf(MARKETPLACE_CHECKOUT_QML_PATH) !== -1 ||
|
||||||
onInspectionCertificateScreen);
|
url === MARKETPLACE_PURCHASES_QML_PATH ||
|
||||||
|
url.indexOf(MARKETPLACE_INSPECTIONCERTIFICATE_QML_PATH) !== -1);
|
||||||
|
var onMarketplaceItemTesterScreenNow = (
|
||||||
|
url.indexOf(MARKETPLACE_ITEM_TESTER_QML_PATH) !== -1 ||
|
||||||
|
url === MARKETPLACE_ITEM_TESTER_QML_PATH);
|
||||||
|
|
||||||
// exiting wallet or commerce screen
|
if ((!onWalletScreenNow && onWalletScreen) ||
|
||||||
if ((!onWalletScreenNow && onWalletScreen) || (!onCommerceScreenNow && onCommerceScreen)) {
|
(!onCommerceScreenNow && onCommerceScreen) ||
|
||||||
|
(!onMarketplaceItemTesterScreenNow && onMarketplaceScreen)
|
||||||
|
) {
|
||||||
|
// exiting wallet, commerce, or marketplace item tester screen
|
||||||
maybeEnableHMDPreview();
|
maybeEnableHMDPreview();
|
||||||
}
|
}
|
||||||
|
|
||||||
onCommerceScreen = onCommerceScreenNow;
|
onCommerceScreen = onCommerceScreenNow;
|
||||||
onWalletScreen = onWalletScreenNow;
|
onWalletScreen = onWalletScreenNow;
|
||||||
wireQmlEventBridge(onMarketplaceScreen || onCommerceScreen || onWalletScreen);
|
onMarketplaceItemTesterScreen = onMarketplaceItemTesterScreenNow;
|
||||||
|
|
||||||
|
wireQmlEventBridge(
|
||||||
|
onMarketplaceScreen ||
|
||||||
|
onCommerceScreen ||
|
||||||
|
onWalletScreen ||
|
||||||
|
onMarketplaceItemTesterScreen);
|
||||||
|
|
||||||
if (url === MARKETPLACE_PURCHASES_QML_PATH) {
|
if (url === MARKETPLACE_PURCHASES_QML_PATH) {
|
||||||
|
// FIXME? Is there a race condition here in which the event
|
||||||
|
// bridge may not be up yet? If so, Script.setTimeout(..., 750)
|
||||||
|
// may help avoid the condition.
|
||||||
ui.tablet.sendToQml({
|
ui.tablet.sendToQml({
|
||||||
method: 'updatePurchases',
|
method: 'updatePurchases',
|
||||||
referrerURL: referrerURL,
|
referrerURL: referrerURL,
|
||||||
|
@ -1026,6 +1073,14 @@ var onTabletScreenChanged = function onTabletScreenChanged(type, url) {
|
||||||
});
|
});
|
||||||
off();
|
off();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (onMarketplaceItemTesterScreen) {
|
||||||
|
// Why setTimeout? The QML event bridge, wired above, requires a
|
||||||
|
// variable amount of time to come up, in practice less than
|
||||||
|
// 750ms.
|
||||||
|
Script.setTimeout(pushResourceObjectsInTest, 750);
|
||||||
|
}
|
||||||
|
|
||||||
console.debug(ui.buttonName + " app reports: Tablet screen changed.\nNew screen type: " + type +
|
console.debug(ui.buttonName + " app reports: Tablet screen changed.\nNew screen type: " + type +
|
||||||
"\nNew screen URL: " + url + "\nCurrent app open status: " + ui.isOpen + "\n");
|
"\nNew screen URL: " + url + "\nCurrent app open status: " + ui.isOpen + "\n");
|
||||||
};
|
};
|
||||||
|
|
Loading…
Reference in a new issue