Ansariel 2022-03-19 12:39:34 +01:00
commit 8d725dbcf6
42 changed files with 315 additions and 150 deletions

View File

@ -3282,9 +3282,9 @@ Copyright (c) 2012, 2014, 2015, 2016 nghttp2 contributors</string>
<key>archive</key>
<map>
<key>hash</key>
<string>05c4debd4cccfea620fc7e6f9a190924</string>
<string>f5f4bc956734e53ef99125ae9aae3a87</string>
<key>url</key>
<string>http://3p.firestormviewer.org/slvoice-3.2.0002.10426.302004-linux64-212691952.tar.bz2</string>
<string>http://3p.firestormviewer.org/slvoice-3.2-linux64_bionic-220651719.tar.bz2</string>
</map>
<key>name</key>
<string>linux64</string>

View File

@ -4,7 +4,7 @@
# other commands to guarantee full compatibility
# with the version specified
## 3.8 added VS_DEBUGGER_WORKING_DIRECTORY support
cmake_minimum_required(VERSION 3.8.0 FATAL_ERROR)
cmake_minimum_required(VERSION 3.12.0 FATAL_ERROR)
set(ROOT_PROJECT_NAME "SecondLife" CACHE STRING
"The root project/makefile/solution name. Defaults to SecondLife.")
@ -28,9 +28,9 @@ endif (NOT CMAKE_BUILD_TYPE)
#<FS:AW optional opensim support>
option(OPENSIM "OpenSim support" OFF)
if (OPENSIM)
add_definitions(-DOPENSIM=1)
add_compile_definitions(OPENSIM)
if (SINGLEGRID)
add_definitions(-DSINGLEGRID=1 -DSINGLEGRID_URI=\"${SINGLEGRID_URI}\")
add_compile_definitions(SINGLEGRID SINGLEGRID_URI=\"${SINGLEGRID_URI}\")
message(STATUS "Compiling with OpenSim support - Single Grid version (${SINGLEGRID_URI})")
else (SINGLEGRID)
message(STATUS "Compiling with OpenSim support")
@ -43,7 +43,7 @@ else (OPENSIM)
endif (OPENSIM)
if (HAVOK_TPV)
add_definitions(-DHAVOK_TPV=1)
add_compile_definitions(HAVOK_TPV)
message(STATUS "Compiling with Havok libraries")
endif (HAVOK_TPV)
#</FS:AW optional opensim support>
@ -51,7 +51,7 @@ endif (HAVOK_TPV)
#<FS:Ansariel> Support for test builds
option(TESTBUILD "Generating test build" OFF)
if(TESTBUILD AND TESTBUILDPERIOD)
add_definitions(-DTESTBUILD=1 -DTESTBUILDPERIOD=${TESTBUILDPERIOD})
add_compile_definitions(TESTBUILD TESTBUILDPERIOD=${TESTBUILDPERIOD})
message(STATUS "Creating test build version; test period: ${TESTBUILDPERIOD} days")
endif(TESTBUILD AND TESTBUILDPERIOD)
#</FS:Ansariel>
@ -63,11 +63,11 @@ if (USE_AVX_OPTIMIZATION)
if (USE_AVX2_OPTIMIZATION)
message(FATAL_ERROR "You cannot use AVX and AVX2 at the same time!")
else (USE_AVX2_OPTIMIZATION)
add_definitions(-DUSE_AVX_OPTIMIZATION=1)
add_compile_definitions(USE_AVX_OPTIMIZATION)
message(STATUS "Compiling with AVX optimizations")
endif (USE_AVX2_OPTIMIZATION)
elseif (USE_AVX2_OPTIMIZATION)
add_definitions(-DUSE_AVX2_OPTIMIZATION=1)
add_compile_definitions(USE_AVX2_OPTIMIZATION)
message(STATUS "Compiling with AVX2 optimizations")
else (USE_AVX_OPTIMIZATION)
message(STATUS "Compiling without AVX optimizations")

View File

@ -223,7 +223,7 @@ elseif(LINUX)
set(SHARED_LIB_STAGING_DIR_RELWITHDEBINFO "${SHARED_LIB_STAGING_DIR}")
set(SHARED_LIB_STAGING_DIR_RELEASE "${SHARED_LIB_STAGING_DIR}")
set(vivox_lib_dir "${ARCH_PREBUILT_DIRS_RELEASE}")
set(vivox_lib_dir "${ARCH_PREBUILT_DIRS_RELEASE}/../../lib32/")
set(vivox_libs
libsndfile.so.1
libortp.so
@ -255,6 +255,8 @@ elseif(LINUX)
libuuid.so.16.0.22
libfontconfig.so.1.8.0
libfontconfig.so.1
libaprutil-1.so.0
libapr-1.so.0
)
else (NOT USESYSTEMLIBS)
set(release_files

View File

@ -36,9 +36,7 @@ if (USE_BUGSPLAT)
if( LINUX )
set(BUGSPLAT_INCLUDE_DIR ${LIBS_PREBUILT_DIR}/include/breakpad)
# <FS:ND/> Sadly we cannot have the nice things yet and need add_definitions for older cmake
#add_compile_definitions(__STDC_FORMAT_MACROS)
add_definitions(-D__STDC_FORMAT_MACROS)
add_compile_definitions(__STDC_FORMAT_MACROS)
else()
set(BUGSPLAT_INCLUDE_DIR ${LIBS_PREBUILT_DIR}/include/bugsplat)
endif()

View File

@ -61,6 +61,9 @@ namespace
{
#ifdef __clang__
# pragma clang diagnostic ignored "-Wunused-function"
#endif
#if __GNUC__
#pragma GCC diagnostic ignored "-Wunused-function"
#endif
void test_that_error_h_includes_enough_things_to_compile_a_message()
{

View File

@ -216,6 +216,7 @@ namespace tut
}
void test_data::postAndWait1()
{
BEGIN
{
mSync.bump();

View File

@ -7,7 +7,7 @@
//
// Bridge platform
string BRIDGE_VERSION = "2.27"; // This should match fslslbridge.cpp
string BRIDGE_VERSION = "2.28"; // This should match fslslbridge.cpp
string gLatestURL;
integer gViewerIsFirestorm;
integer gTryHandshakeOnce = TRUE;
@ -48,8 +48,8 @@
{
llReleaseURL(gLatestURL);
gLatestURL = "";
// llRequestSecureURL(); // Uncomment this line and comment next one for HTTPS instead of HTTP (experimental)
llRequestURL();
llRequestSecureURL();
// llRequestURL(); -- Uncomment this line and comment the previous one for HTTP instead of HTTPS
}
detachBridge()

View File

@ -194,10 +194,14 @@ class FSViewerManifest:
def fs_save_breakpad_symbols(self, osname):
from glob import glob
import sys
from os.path import isdir
from os.path import isdir, join
from shutil import rmtree
import tarfile
components = ['Phoenix',self.app_name(),self.args.get('arch'),'.'.join(self.args['version'])]
symbolsName = "_".join(components)
symbolsName = symbolsName + "_" + self.args["viewer_flavor"] + "-" + osname + "-" + str(self.address_size) + ".tar.bz2"
if isdir( "symbols" ):
rmtree( "symbols" )
@ -213,12 +217,7 @@ class FSViewerManifest:
if isdir( "symbols" ):
for a in self.args:
print("%s: %s" % (a, self.args[a]))
symbolsName = "%s/Phoenix_%s_%s_%s_symbols-%s-%d.tar.bz2" % (self.args['configuration'].lower(),
self.fs_channel_legacy_oneword(),
'-'.join( self.args['version'] ),
self.args['viewer_flavor'],
osname,
self.address_size)
fTar = tarfile.open( symbolsName, "w:bz2")
fTar.add("symbols", arcname=".")
fTar.add( join( self.args["dest"], "build_data.json" ), arcname="build_data.json" )

View File

@ -634,6 +634,7 @@ void FSFloaterPerformance::populateNearbyList()
auto overall_appearance = avatar->getOverallAppearance();
if (overall_appearance == LLVOAvatar::AOA_INVISIBLE)
{
char_iter++;
continue;
}

View File

@ -55,7 +55,7 @@
static const std::string FS_BRIDGE_FOLDER = "#LSL Bridge";
static const std::string FS_BRIDGE_CONTAINER_FOLDER = "Landscaping";
static const U32 FS_BRIDGE_MAJOR_VERSION = 2;
static const U32 FS_BRIDGE_MINOR_VERSION = 27;
static const U32 FS_BRIDGE_MINOR_VERSION = 28;
static const U32 FS_MAX_MINOR_VERSION = 99;
static const std::string UPLOAD_SCRIPT_CURRENT = "EBEDD1D2-A320-43f5-88CF-DD47BBCA5DFB.lsltxt";
static const std::string FS_STATE_ATTRIBUTE = "state=";

View File

@ -123,7 +123,7 @@ namespace FSPerfStats
FSPerfStats::tunables.userImpostorDistanceTuningEnabled = gSavedSettings.getBOOL("FSAutoTuneImpostorByDistEnabled");
FSPerfStats::tunables.userFPSTuningStrategy = gSavedSettings.getU32("FSTuningFPSStrategy");
FSPerfStats::tunables.userTargetFPS = gSavedSettings.getU32("FSTargetFPS");
FSPerfStats::tunables.userTargetReflections = gSavedSettings.getU32("FSUserTargetReflections");
FSPerfStats::tunables.userTargetReflections = gSavedSettings.getS32("FSUserTargetReflections");
FSPerfStats::tunables.userAutoTuneEnabled = gSavedSettings.getBOOL("FSAutoTuneFPS");
FSPerfStats::tunables.userAutoTuneLock = gSavedSettings.getBOOL("FSAutoTuneLock");
// Note: The Max ART slider is logarithmic and thus we have an intermediate proxy value

View File

@ -1182,6 +1182,11 @@ void LLMediaCtrl::handleMediaEvent(LLPluginClassMedia* self, EMediaEvent event)
}
else
{
// Media might be blocked, waiting for a file,
// send an empty response to unblock it
const std::vector<std::string> empty_response;
self->sendPickFileResponse(empty_response);
LLNotificationsUtil::add("MediaFileDownloadUnsupported");
}
};

View File

@ -1127,7 +1127,7 @@ void handleUserTargetDrawDistanceChanged(const LLSD& newValue)
void handleUserTargetReflectionsChanged(const LLSD& newValue)
{
const auto newval = gSavedSettings.getF32("FSUserTargetReflections");
const auto newval = gSavedSettings.getS32("FSUserTargetReflections");
FSPerfStats::tunables.userTargetReflections = newval;
}

View File

@ -3262,10 +3262,6 @@ void LLViewerMediaImpl::handleMediaEvent(LLPluginClassMedia* plugin, LLPluginCla
case LLViewerMediaObserver::MEDIA_EVENT_FILE_DOWNLOAD:
{
LL_DEBUGS("Media") << "Media event - file download requested - filename is " << plugin->getFileDownloadFilename() << LL_ENDL;
//unblock media plugin
const std::vector<std::string> empty_response;
plugin->sendPickFileResponse(empty_response);
}
break;

View File

@ -71,6 +71,8 @@
#include "llmediaentry.h"
#include "llmediadataclient.h"
#include "llmeshrepository.h"
#include "llnotifications.h"
#include "llnotificationsutil.h"
#include "llagent.h"
#include "llviewermediafocus.h"
#include "lldatapacker.h"
@ -3152,6 +3154,17 @@ void LLVOVolume::mediaEvent(LLViewerMediaImpl *impl, LLPluginClassMedia* plugin,
}
}
break;
case LLViewerMediaObserver::MEDIA_EVENT_FILE_DOWNLOAD:
{
// Media might be blocked, waiting for a file,
// send an empty response to unblock it
const std::vector<std::string> empty_response;
plugin->sendPickFileResponse(empty_response);
LLNotificationsUtil::add("MediaFileDownloadUnsupported");
}
break;
default:
break;

View File

@ -72,7 +72,7 @@ Fejl detaljer: Beskeden kaldet &apos;[_NAME]&apos; blev ikke fundet i notificati
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedNoNetwork">
Kunne ikke tilslutte til [SECOND_LIFE_GRID].
Kunne ikke tilslutte til [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Check at Internet forbindelsen fungerer korrekt.
<usetemplate name="okbutton" yestext="OK"/>
@ -477,7 +477,7 @@ Du kan bruge [CURRENT_GRID] normalt og andre personer vil se dig korrekt.
Hvis det er første gang du bruger [CURRENT_GRID], skal du først oprette en konto for at logge på.
</notification>
<notification name="LoginPacketNeverReceived">
Der er problemer med at koble på. Der kan være et problem med din Internet forbindelse eller [SECOND_LIFE_GRID].
Der er problemer med at koble på. Der kan være et problem med din Internet forbindelse eller [CURRENT_GRID].
Du kan enten checke din Internet forbindelse og prøve igen om lidt, klikke på Hjælp for at se [SUPPORT_SITE] siden, eller klikke på Teleport for at forsøge at teleportere hjem.
</notification>

View File

@ -86,7 +86,7 @@ Fehlerdetails: The notification called &apos;[_NAME]&apos; was not found in noti
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedNoNetwork">
Verbindung nicht möglich zum [SECOND_LIFE_GRID].
Verbindung nicht möglich zum [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Stellen Sie sicher, dass Ihre Internetverbindung funktioniert.
<usetemplate name="okbutton" yestext="OK"/>
@ -710,7 +710,7 @@ Das Objekt ist möglicherweise außer Reichweite oder wurde gelöscht.
Dateidownload nicht möglich
</notification>
<notification name="MediaFileDownloadUnsupported">
Sie haben einen Datei-Download angefordert, der in [SECOND_LIFE] nicht unterstützt wird.
Sie haben einen Datei-Download angefordert, der in [APP_NAME] nicht unterstützt wird.
<usetemplate ignoretext="Warnung anzeigen, wenn ein Datei-Download nicht unterstützt wird" name="okignore" yestext="OK"/>
</notification>
<notification name="CannotWriteFile">
@ -1513,11 +1513,11 @@ Falls Sie [CURRENT_GRID] zum ersten Mal verwenden, müssen Sie zuerst ein Konto
<usetemplate name="okcancelbuttons" notext="Weiter" yestext="Konto erstellen..."/>
</notification>
<notification name="LoginPacketNeverReceived">
Es gibt Probleme mit der Verbindung. Möglicherweise besteht ein Problem mit Ihrer Internetverbindung oder dem [SECOND_LIFE_GRID].
Es gibt Probleme mit der Verbindung. Möglicherweise besteht ein Problem mit Ihrer Internetverbindung oder dem [CURRENT_GRID].
Überprüfen Sie Ihre Internetverbindung und versuchen Sie es dann erneut, oder klicken Sie auf Hilfe, um zu [SUPPORT_SITE] zu gelangen, oder klicken Sie auf Teleportieren, um nach Hause zu teleportieren.
<url name="url">
http://de.secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button name="OK" text="OK"/>
@ -1526,11 +1526,11 @@ Falls Sie [CURRENT_GRID] zum ersten Mal verwenden, müssen Sie zuerst ein Konto
</form>
</notification>
<notification name="LoginPacketNeverReceivedNoTP">
Es gibt Probleme mit der Verbindung. Möglicherweise besteht ein Problem mit Ihrer Internetverbindung oder dem [SECOND_LIFE_GRID].
Es gibt Probleme mit der Verbindung. Möglicherweise besteht ein Problem mit Ihrer Internetverbindung oder dem [CURRENT_GRID].
Überprüfen Sie Ihre Internetverbindung und versuchen Sie es dann erneut, oder klicken Sie auf Hilfe, um zu [SUPPORT_SITE] zu gelangen.
<url name="url">
http://de.secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button name="OK" text="OK"/>

View File

@ -102,10 +102,10 @@
text_color="White"
height="40"
layout="topleft"
left="425"
left="420"
top="5"
name="fps_desc1_lbl"
width="130"
width="140"
wrap="true">
Stats pause when FPS is limited or in background.
</text>

View File

@ -205,7 +205,7 @@ No tutorial is currently available.
name="LoginFailedNoNetwork"
type="alertmodal">
<tag>fail</tag>
Could not connect to the [SECOND_LIFE_GRID].
Could not connect to the [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Make sure your Internet connection is working properly.
<usetemplate
@ -3796,12 +3796,12 @@ Forgetting the logged-in user requires you to log out.
name="LoginPacketNeverReceived"
type="alertmodal">
<tag>fail</tag>
We&apos;re having trouble connecting. There may be a problem with your Internet connection or the [SECOND_LIFE_GRID].
We&apos;re having trouble connecting. There may be a problem with your Internet connection or the [CURRENT_GRID].
You can either check your Internet connection and try again in a few minutes, click Help to view the [SUPPORT_SITE], or click Teleport to attempt to teleport home.
<url option="1" name="url">
http://secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button
@ -3825,11 +3825,11 @@ You can either check your Internet connection and try again in a few minutes, cl
name="LoginPacketNeverReceivedNoTP"
type="alertmodal">
<tag>fail</tag>
We&apos;re having trouble connecting. There may be a problem with your Internet connection or the [SECOND_LIFE_GRID].
We&apos;re having trouble connecting. There may be a problem with your Internet connection or the [CURRENT_GRID].
You can either check your Internet connection and try again in a few minutes or click Help to view the [SUPPORT_SITE].
<url option="1" name="url">
http://secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button

View File

@ -142,7 +142,7 @@ top="0">
follows="left|top|right"
layout="topleft"
sort_column="art_value"
short_names="true"
short_names="false"
name="nearby_list"
name_column="name"
top_pad="10"

View File

@ -83,7 +83,7 @@ Detalles del error: la notificación de nombre &apos;[_NAME]&apos; no se ha enco
<usetemplate name="okbutton" yestext="Aceptar"/>
</notification>
<notification name="LoginFailedNoNetwork">
No se puede conectar con [SECOND_LIFE_GRID].
No se puede conectar con [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Asegúrate de que tu conexión a Internet está funcionando adecuadamente.
<usetemplate name="okbutton" yestext="Aceptar"/>
@ -1440,11 +1440,11 @@ Si es la primera vez que usas [CURRENT_GRID], debes crear una cuenta para poder
<usetemplate name="okcancelbuttons" notext="Continuar" yestext="Crear cuenta..."/>
</notification>
<notification name="LoginPacketNeverReceived">
Tenemos problemas de conexión. Puede deberse a un problema de tu conexión a Internet o de [SECOND_LIFE_GRID].
Tenemos problemas de conexión. Puede deberse a un problema de tu conexión a Internet o de [CURRENT_GRID].
Puedes revisar tu conexión a Internet y volver a intentarlo en unos minutos, pulsar Ayuda para conectarte a [SUPPORT_SITE], o pulsar Teleporte para intentar teleportarte a tu Base.
<url name="url">
http://es.secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button name="OK" text="Aceptar"/>

View File

@ -1,5 +1,5 @@
<?xml version="1.0" encoding="utf-8" standalone="yes"?>
<floater name="Scene Load Statistics" title="STATISTIQUES DE CHARGEMENT DE SCÈNE">
<floater name="Scene Load Statistics" title="Statistiques de chargement de scène">
<button label="Pauser" name="playpause"/>
<scroll_container name="statistics_scroll">
<container_view name="statistics_view">
@ -16,7 +16,11 @@
</stat_view>
<stat_view label="Texture" name="texture">
<stat_bar label="Taux de réussite du cache" name="texture_cache_hits"/>
<stat_bar label="Latence de lecture du cache" name="texture_cache_read_latency"/>
<stat_bar label="Temps de lecture du cache" name="texture_cache_read_latency"/>
<stat_bar label="Temps de décodage du cache" name="texture_decode_latency" />
<stat_bar label="Temps du cache en écriture" name="texture_decode_latency" />
<stat_bar label="Temps de lecture du cache" name="texture_fetch_latency" />
<stat_bar label="Temps de récupér. du cache" name="texture_fetch_time" />
<stat_bar label="Nombre" name="numimagesstat"/>
<stat_bar label="Nombre brut" name="numrawimagesstat"/>
</stat_view>

View File

@ -1,62 +1,62 @@
<?xml version="1.0" encoding="utf-8" standalone="yes"?>
<floater name="TexFetchDebugger" title="Outil de débogage de la récupération des textures">
<text name="total_num_fetched_label">
1, nombre total de textures récupérées : [NUM]
1, Nombre total de textures récupérées : [NUM]
</text>
<text name="total_num_fetching_requests_label">
2, nombre total de demandes de récupération : [NUM]
2, Nombre total de demandes de récupération : [NUM]
</text>
<text name="total_num_cache_hits_label">
3, nombre total de présences dans le cache : [NUM]
3, Nombre total de présences dans le cache : [NUM]
</text>
<text name="total_num_visible_tex_label">
4, nombre total de textures visibles : [NUM]
4, Nombre total de textures visibles : [NUM]
</text>
<text name="total_num_visible_tex_fetch_req_label">
5, nombre total de demandes de récupération de textures visibles : [NUM]
5, Nombre total de demandes de récupération de textures visibles : [NUM]
</text>
<text name="total_fetched_data_label">
6, nombre total de données récupérées : [SIZE1] Ko, données décodées : [SIZE2] Ko, [PIXEL] Mpixels
6, Nombre total de données récupérées : [SIZE1] Ko, données décodées : [SIZE2] Ko, [PIXEL] Mpixels
</text>
<text name="total_fetched_vis_data_label">
7, nombre total de données visibles : [SIZE1] Ko, données décodées : [SIZE2] Ko
7, Nombre total de données visibles : [SIZE1] Ko, données décodées : [SIZE2] Ko
</text>
<text name="total_fetched_rendered_data_label">
8, nombre total de données rendues : [SIZE1] Ko, données décodées : [SIZE2] Ko, [PIXEL] Mpixels
8, Nombre total de données rendues : [SIZE1] Ko, données décodées : [SIZE2] Ko, [PIXEL] Mpixels
</text>
<text name="total_time_cache_read_label">
9, durée totale des lectures du cache : [TIME] secondes
9, Durée totale des lectures du cache : [TIME] secondes
</text>
<text name="total_time_cache_write_label">
10, durée totale des écritures du cache : [TIME] secondes
10, Durée totale des écritures du cache : [TIME] secondes
</text>
<text name="total_time_decode_label">
11, durée totale des décodages : [TIME] secondes
11, Durée totale des décodages : [TIME] secondes
</text>
<text name="total_time_gl_label">
12, durée totale de la création de textures GL : [TIME] secondes
12, Durée totale de la création de textures GL : [TIME] secondes
</text>
<text name="total_time_http_label">
13, durée totale de la récupération HTTP : [TIME] secondes
13, Durée totale de la récupération HTTP : [TIME] secondes
</text>
<text name="total_time_fetch_label">
14, durée totale de la récupération intégrale : [TIME] secondes
14, Durée totale de la récupération intégrale : [TIME] secondes
</text>
<text name="total_time_refetch_vis_cache_label">
15, nouvelle récupération des données visibles du cache, Durée : [TIME] secondes, Récupéré : [SIZE] Ko, [PIXEL] Mpixels
15, Récup. des données visibles du cache, Durée : [TIME] secondes, Récup. : [SIZE] Ko, [PIXEL] Mpixels
</text>
<text name="total_time_refetch_all_cache_label">
16, nouvelle récupération de toutes les textures du cache, Durée : [TIME] secondes, Récupéré : [SIZE] Ko, [PIXEL] Mpixels
16, Récup. de toutes les textures du cache, Durée : [TIME] secondes, Récup. : [SIZE] Ko, [PIXEL] Mpixels
</text>
<text name="total_time_refetch_vis_http_label">
17, nouvelle récupération des données visibles de la requête HTTP, Durée : [TIME] secondes, Récupéré : [SIZE] Ko, [PIXEL] Mpixels
17, Récup. données visibles requête HTTP, Durée : [TIME] secondes, Récup. : [SIZE] Ko, [PIXEL] Mpixels
</text>
<text name="total_time_refetch_all_http_label">
18, nouvelle récupération de toutes les textures de la requête HTTP, Durée : [TIME] secondes, Récupéré : [SIZE] Ko, [PIXEL] Mpixels
18, Récup. toutes les textures requête HTTP, Durée : [TIME] secondes, Récup. : [SIZE] Ko, [PIXEL] Mpixels
</text>
<spinner label="19, taux de texels/pixels :" name="texel_pixel_ratio"/>
<spinner label="19, Taux de texels/pixels :" name="texel_pixel_ratio"/>
<text name="texture_source_label">
20, source des textures :
20, Source textures :
</text>
<radio_group name="texture_source">
<radio_item label="Cache + HTTP" name="0"/>
@ -65,8 +65,9 @@
<button label="Démarrer" name="start_btn"/>
<button label="Réinitialiser" name="clear_btn"/>
<button label="Fermer" name="close_btn"/>
<button label="Lecture du cache" name="cacheread_btn"/>
<button label="Écriture du cache" name="cachewrite_btn"/>
<button label="Lecture cache" name="cacheread_btn"/>
<button label="Réinit. tps DL." name="reset_time_btn"/>
<button label="Écriture cache" name="cachewrite_btn"/>
<button label="HTTP" name="http_btn"/>
<button label="Décoder" name="decode_btn"/>
<button label="Texture GL" name="gl_btn"/>

View File

@ -379,6 +379,10 @@
<menu_item_check label="Afficher la mémoire" name="Show Memory"/>
<menu_item_check label="Afficher les mises à jour des objets" name="Show Updates"/>
</menu>
<menu label="Profilage/Télémétrie" name="Enable / Disable telemetry capture">
<menu_item_check label="Profilage" name="Profiling"/>
<menu_item_check label="Démarrage à la connexion" name="Start when telemetry client connects"/>
</menu>
<menu label="Forcer une erreur" name="Force Errors">
<menu_item_call label="Forcer le point de rupture" name="Force Breakpoint"/>
<menu_item_call label="Forcer LLError et plantage" name="Force LLError And Crash"/>
@ -386,6 +390,8 @@
<menu_item_call label="Forcer une boucle infinie" name="Force Infinite Loop"/>
<menu_item_call label="Forcer le plantage du driver" name="Force Driver Carsh"/>
<menu_item_call label="Forcer une exception logicielle" name="Force Software Exception"/>
<menu_item_call label="Forcer un plantage dans une coroutine" name="Force a Crash in a Coroutine"/>
<menu_item_call label="Forcer un plantage dans un processus" name="Force a Crash in a Thread"/>
<menu_item_call label="Forcer la déconnexion du client" name="Force Disconnect Viewer"/>
<menu_item_call label="Simuler une fuite de mémoire" name="Memory Leaking Simulation"/>
</menu>
@ -399,6 +405,7 @@
</menu>
<menu label="Métadonnées de rendu" name="Render Metadata">
<menu_item_check label="Cadres" name="Bounding Boxes"/>
<menu_item_check label="Boîtes de collision de l'avatar'" name="Avatar Hitboxes"/>
<menu_item_check label="Normales" name="Normals"/>
<menu_item_check label="Octree" name="Octree"/>
<menu_item_check label="Shadow Frusta" name="Shadow Frusta"/>
@ -406,6 +413,7 @@
<menu_item_check label="Occlusion" name="Occlusion"/>
<menu_item_check label="Lots de rendu" name="Render Batches"/>
<menu_item_check label="Type de mise à jour" name="Update Type"/>
<menu_item_check label="Textures animées" name="Texture Anim"/>
<menu_item_check label="Texture Anim" name="Texture Anim"/>
<menu_item_check label="Priorité de la texture" name="Texture Priority"/>
<menu_item_check label="Zone de texture" name="Texture Area"/>
@ -420,6 +428,7 @@
<menu_item_check label="Rayons" name="Raycast"/>
<menu_item_check label="Vecteurs de vent" name="Wind Vectors"/>
<menu_item_check label="Sculpture" name="Sculpt"/>
<menu_item_check label="Taille des textures" name="Texture Size"/>
<menu label="Densité des textures" name="Texture Density">
<menu_item_check label="Aucune" name="None"/>
<menu_item_check label="Actuelle" name="Current"/>
@ -473,17 +482,23 @@
<menu label="Monde" name="DevelopWorld">
<menu_item_check label="Ignorer les paramètres du soleil de la sim" name="Sim Sun Override"/>
<menu_item_check label="Météo fixe" name="Fixed Weather"/>
<menu_item_call label="Vidage de cache d&apos;objet de la région" name="Dump Region Object Cache"/>
<menu_item_call label="Vidage de cache d&apos;objets de la région" name="Dump Region Object Cache"/>
<menu_item_call label="Liste d'intérêt : Mise à jour complète" name="Interest List: Full Update"/>
<menu_item_call label="Envoie les fonctionnalités du simulateur dans le chat local" name="DumpSimFeaturesToChat"/>
</menu>
<menu label="Interface" name="UI">
<menu_item_call label="Navigateur de médias" name="Media Browser"/>
<menu_item_call label="Test du navigateur de médias" name="Web Browser Test"/>
<menu_item_check label="Test de redémarrage de la région..." name="Region Restart Test"/>
<menu_item_call label="Navigateur de contenus Web" name="Web Content Browser"/>
<menu_item_call label="Test de connexion FB" name="FB Connect Test"/>
<menu_item_call label="Dump SelectMgr" name="Dump SelectMgr"/>
<menu_item_call label="Dump inventaire" name="Dump Inventory"/>
<menu_item_call label="Dump Timers" name="Dump Timers"/>
<menu_item_call label="Dump Focus Holder" name="Dump Focus Holder"/>
<menu_item_call label="Imprimer les infos sur l&apos;objet sélectionné" name="Print Selected Object Info"/>
<menu_item_call label="Imprimer les infos sur l&apos;avatar" name="Print Agent Info"/>
<menu_item_check label="Pilote automatique par double-clic" name="Double-ClickAuto-Pilot"/>
<menu_item_check label="Téléportation par double-clic" name="DoubleClick Teleport"/>
<menu_item_check label="Débogage SelectMgr" name="Debug SelectMgr"/>
<menu_item_check label="Débogage clics" name="Debug Clicks"/>
<menu_item_check label="Débogage des vues" name="Debug Views"/>
@ -538,11 +553,13 @@
<menu_item_call label="Enregistre les données sur les attachements" name="Dump Attachments"/>
<menu_item_call label="Débogage des textures des avatars" name="Debug Avatar Textures"/>
<menu_item_call label="Enregistre les données sur les textures" name="Dump Local Textures"/>
<menu_item_call label="Recharger les particules de l'avatar en nuage" name="Reload Avatar Cloud Particle"/>
</menu>
<menu_item_check label="Textures HTTP" name="HTTP Textures"/>
<menu_item_call label="Compresser les images" name="Compress Images"/>
<menu_item_call label="Test de compression de fichiers" name="Compress File Test" />
<menu_item_call label="Activer Visual Leak Detector" name="Enable Visual Leak Detector"/>
<menu_item_check label="Output Debug Minidump" name="Output Debug Minidump"/>
<menu_item_check label="Aperçu du Journal de débogage" name="Output Debug Minidump"/>
<menu_item_check label="Ouvrir la console de débogage au prochain lancement" name="Console Window"/>
<menu label="Définir le niveau de connexion" name="Set Logging Level">
<menu_item_check label="Débogage" name="Debug"/>

View File

@ -86,11 +86,16 @@ Détails de l&apos;erreur : La notification, appelée &apos;[_NAME]&apos;, est i
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedNoNetwork">
Connexion à [SECOND_LIFE_GRID] impossible.
Connexion à [CURRENT_GRID] impossible.
&apos;[DIAGNOSTIC]&apos;
Veuillez vérifier votre connexion Internet.
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedToParse">
Le visualiseur a reçu une réponse brouillée du serveur. Assurez-vous que votre connexion Internet fonctionne correctement et réessayez plus tard.
Si vous pensez qu'il s'agit d'une erreur, veuillez contacter le service d'assistance.
</notification>
<notification name="MessageTemplateNotFound">
Le modèle de message [PATH] est introuvable.
<usetemplate name="okbutton" yestext="OK"/>
@ -103,6 +108,9 @@ Veuillez vérifier votre connexion Internet.
Vous n&apos;êtes pas autorisé à copier un ou plusieurs de ces articles dans la boîte d&apos;envoi vendeur. Vous pouvez les déplacer ou les laisser.
<usetemplate name="okcancelbuttons" notext="Ne pas déplacer les articles" yestext="Déplacer les articles"/>
</notification>
<notification name="InventoryUnusable">
Un problème s'est produit lors du chargement de l'inventaire. Veuillez essayer de vous déconnecter et de vous reconnecter. Si vous voyez à nouveau ce message, veuillez contacter l'assistance pour résoudre le problème.
</notification>
<notification name="OutboxFolderCreated">
Un nouveau dossier a été créé pour chaque article que vous avez transféré vers le niveau supérieur de votre boîte d&apos;envoi vendeur.
<usetemplate ignoretext="Un nouveau dossier a été créé dans la boîte d&apos;envoi vendeur." name="okignore" yestext="OK"/>
@ -416,7 +424,7 @@ Votre prix de vente sera de [SALE_PRICE] L$ et la vente sera disponible à [NAME
<usetemplate name="okcancelbuttons" notext="Annuler" yestext="OK"/>
</notification>
<notification name="ConfirmLandSaleToAnyoneChange">
ATTENTION : en cliquant sur Vendre à n&apos;importe qui, vous rendez votre terrain disponible à toute la communauté de [SECOND_LIFE], même aux personnes qui ne sont pas dans cette région.
ATTENTION : en cliquant sur Vendre à n&apos;importe qui, vous rendez votre terrain disponible à toute la communauté de [CURRENT_GRID], même aux personnes qui ne sont pas dans cette région.
Le terrain sélectionné, de [LAND_SIZE] m², est mis en vente.
Votre prix de vente sera de [SALE_PRICE]L$ et la vente sera disponible à [NAME].
@ -520,7 +528,7 @@ Pour ne placer le média que sur une seule face, choisissez Sélectionner une fa
Une erreur est survenue lors du chargement de la capture d&apos;écran destinée au rapport, suite au problème suivant : [REASON]
</notification>
<notification name="MustAgreeToLogIn">
Vous devez accepter lestermes et conditions; la Politique de confidentialité et les Conditions d&apos;utilisation de Second Life pour poursuivre votre connexion à [SECOND_LIFE].
Vous devez accepter lestermes et conditions; la Politique de confidentialité et les Conditions d&apos;utilisation de Second Life pour poursuivre votre connexion à [CURRENT_GRID].
</notification>
<notification name="CouldNotPutOnOutfit">
Impossible de mettre cet ensemble.
@ -543,7 +551,7 @@ La limite de [MAX_ATTACHMENTS] objets joints a été dépassée. Veuillez commen
Zut ! Vous avez oublié de fournir certaines informations.
Vous devez saisir le nom d&apos;utilisateur de votre avatar.
Pour entrer dans [SECOND_LIFE], vous devez disposer d&apos;un compte. Voulez-vous en créer un maintenant ?
Pour entrer dans [CURRENT_GRID], vous devez disposer d&apos;un compte. Voulez-vous en créer un maintenant ?
<url name="url">
[create_account_url]
</url>
@ -585,7 +593,7 @@ Voulez-vous vraiment continuer ?
<usetemplate name="okcancelbuttons" notext="Annuler" yestext="OK"/>
</notification>
<notification name="PromptGoToEventsPage">
Aller à la page web de [SECOND_LIFE] réservée aux événements ?
Aller à la page web de [CURRENT_GRID] réservée aux événements ?
<url name="url">
http://secondlife.com/events/?lang=fr-FR
</url>
@ -619,7 +627,7 @@ Voulez-vous arrêter le visualiseur et le relancer manuellement afin d'appliquer
Le changement de langue sera effectué au redémarrage de [APP_NAME].
</notification>
<notification name="GoToAuctionPage">
Aller à la page web de [SECOND_LIFE] pour voir le détail des enchères ou enchérir ?
Aller à la page web de [CURRENT_GRID] pour voir le détail des enchères ou enchérir ?
<url name="url">
http://secondlife.com/auctions/auction-detail.php?id=[AUCTION_ID]
</url>
@ -682,7 +690,7 @@ L&apos;objet est peut-être inaccessible ou a peut-être été supprimé.
Impossible de télécharger le fichier
</notification>
<notification label="" name="MediaFileDownloadUnsupported">
Vous avez demandé un téléchargement de fichier, qui nest pas pris en charge dans [SECOND_LIFE].
Vous avez demandé un téléchargement de fichier, qui nest pas pris en charge dans [APP_NAME].
<usetemplate ignoretext="Mavertir des téléchargements de fichiers non pris en charge" name="okignore" yestext="OK"/>
</notification>
<notification name="CannotWriteFile">
@ -1177,7 +1185,7 @@ Fusionner le terrain ?
Cette erreur est généralement temporaire. Veuillez modifier et sauvegarder l&apos;élément endossable à nouveau d&apos;ici quelques minutes.
</notification>
<notification name="YouHaveBeenLoggedOut">
Zut. Vous avez été déconnecté(e) de [SECOND_LIFE].
Zut. Vous avez été déconnecté(e) de [CURRENT_GRID].
[MESSAGE]
<usetemplate name="okcancelbuttons" notext="Quitter" yestext="Afficher IM et chat"/>
@ -1416,7 +1424,7 @@ Nous vous conseillons de définir votre domicile ailleurs.
</notification>
<notification name="ClothingLoading">
Vos habits sont en cours de téléchargement.
Vous pouvez utiliser [SECOND_LIFE] normalement, les autres résidents vous voient correctement.
Vous pouvez utiliser [APP_NAME] normalement, les autres résidents vous voient correctement.
<form name="form">
<ignore name="ignore" text="Vos habits prennent du temps à télécharger"/>
</form>
@ -1437,15 +1445,15 @@ Vous pouvez utiliser [SECOND_LIFE] normalement, les autres résidents vous voien
<notification name="FirstRun">
L&apos;installation de [APP_NAME] est terminée.
Si vous utilisez [SECOND_LIFE] pour la première fois, vous devez ouvrir un compte avant de pouvoir vous connecter.
Si vous utilisez [CURRENT_GRID] pour la première fois, vous devez ouvrir un compte avant de pouvoir vous connecter.
<usetemplate name="okcancelbuttons" notext="Continuer" yestext="Créer un compte..."/>
</notification>
<notification name="LoginPacketNeverReceived">
Nous avons des difficultés à vous connecter. Il y a peut-être un problème avec votre connexion Internet ou la [SECOND_LIFE_GRID].
Nous avons des difficultés à vous connecter. Il y a peut-être un problème avec votre connexion Internet ou la [CURRENT_GRID].
Vérifiez votre connexion Internet et réessayez dans quelques minutes, cliquez sur Aide pour consulter la page [SUPPORT_SITE] ou bien sur Téléporter pour essayer d&apos;aller chez vous.
<url name="url">
http://fr.secondlife.com/support/
https://www.firestormviewer.org/support/
</url>
<form name="form">
<button name="OK" text="OK"/>
@ -1457,7 +1465,7 @@ Vérifiez votre connexion Internet et réessayez dans quelques minutes, cliquez
Votre personnage va apparaître dans un moment.
Pour marcher, utilisez les flèches de direction.
Appuyez sur F1 pour obtenir de l&apos;aide ou en savoir plus sur [SECOND_LIFE].
Appuyez sur F1 pour obtenir de l&apos;aide ou en savoir plus sur [CURRENT_GRID].
Choisissez un avatar homme ou femme.
Vous pourrez revenir sur votre décision plus tard.
<usetemplate name="okcancelbuttons" notext="Femme" yestext="Homme"/>
@ -1656,15 +1664,15 @@ Continuer ?
<usetemplate ignoretext="Lancer mon navigateur pour gérer mon compte" name="okcancelignore" notext="Annuler" yestext="OK"/>
</notification>
<notification name="WebLaunchSecurityIssues">
Pour apprendre à signaler un problème de sécurité, consultez le Wiki de [SECOND_LIFE].
Pour apprendre à signaler un problème de sécurité, consultez le Wiki de [CURRENT_GRID].
<usetemplate ignoretext="Lancer mon navigateur pour apprendre comment signaler un problème de sécurité" name="okcancelignore" notext="Annuler" yestext="OK"/>
</notification>
<notification name="WebLaunchQAWiki">
Consultez le Wiki sur l&apos;Assurance Qualité de [SECOND_LIFE].
Consultez le Wiki sur l&apos;Assurance Qualité de [CURRENT_GRID].
<usetemplate ignoretext="Lancer mon navigateur web pour consulter la page Wiki sur l&apos;Assurance Qualité" name="okcancelignore" notext="Annuler" yestext="OK"/>
</notification>
<notification name="WebLaunchPublicIssue">
Pour signaler des bugs et autres problèmes, utilisez le JIRA de [SECOND_LIFE].
Pour signaler des bugs et autres problèmes, utilisez le JIRA de [CURRENT_GRID].
<usetemplate ignoretext="Lancer mon navigateur pour utiliser le Public Issue Tracker (JIRA)" name="okcancelignore" notext="Annuler" yestext="Aller sur cette page"/>
</notification>
<notification name="WebLaunchSupportWiki">
@ -2364,9 +2372,9 @@ Les descriptions précises nous permettent de traiter les rapports plus rapideme
Il semble que vous souhaitiez reporter une infraction à des droits de propriété intellectuelle. Pour signaler correctement cette infraction :
(1) Remplissez un rapport d&apos;infraction. Vous pouvez soumettre un rapport d&apos;infraction si vous pensez qu&apos;un résident exploite le système de droits de [SECOND_LIFE], par exemple en utilisant un CopyBot ou des outils similaires pour enfreindre des droits de propriété intellectuelle. Notre équipe chargée des infractions mènera une enquête et prendra les mesures nécessaires à l&apos;encontre du résident non respectueux des [SECOND_LIFE] [http://secondlife.com/corporate/tos.php Conditions d&apos;utilisation] ou des [http://secondlife.com/corporate/cs.php Règles communautaires]. Sachez toutefois que l&apos;équipe chargée des infractions ne supprimera pas de contenu à l&apos;intérieur de [SECOND_LIFE].
(1) Remplissez un rapport d&apos;infraction. Vous pouvez soumettre un rapport d&apos;infraction si vous pensez qu&apos;un résident exploite le système de droits de [CURRENT_GRID], par exemple en utilisant un CopyBot ou des outils similaires pour enfreindre des droits de propriété intellectuelle. Notre équipe chargée des infractions mènera une enquête et prendra les mesures nécessaires à l&apos;encontre du résident non respectueux des [CURRENT_GRID] [http://secondlife.com/corporate/tos.php Conditions d&apos;utilisation] ou des [http://secondlife.com/corporate/cs.php Règles communautaires]. Sachez toutefois que l&apos;équipe chargée des infractions ne supprimera pas de contenu à l&apos;intérieur de [CURRENT_GRID].
(2) Demandez à ce que du contenu à l&apos;intérieur de Second Life soit supprimé. Pour demander à ce que du contenu soit supprimé de [SECOND_LIFE], vous devez soumettre un rapport d&apos;infraction valide, tel que fourni dans notre [http://secondlife.com/corporate/dmca.php Règlement contre les violations des droits d&apos;auteur].
(2) Demandez à ce que du contenu à l&apos;intérieur de Second Life soit supprimé. Pour demander à ce que du contenu soit supprimé de [CURRENT_GRID], vous devez soumettre un rapport d&apos;infraction valide, tel que fourni dans notre [http://secondlife.com/corporate/dmca.php Règlement contre les violations des droits d&apos;auteur].
Si vous souhaitez toujours reporter cette infraction, veuillez fermer cette fenêtre et soumettre votre rapport. Vous devrez peut-être sélectionner la catégorie CopyBot ou exploitation abusive des droits.
@ -2516,7 +2524,7 @@ Les paramètres ne seront peut-être pas enregistrés en utilisant les textures
L&apos;accès à cet endroit est limité aux plus de 18 ans.
</notification>
<notification name="Cannot enter parcel: no payment info on file">
Pour pouvoir pénétrer dans cette zone, vous devez avoir enregistré vos informations de paiement. Souhaitez-vous aller sur [SECOND_LIFE] et enregistrer vos informations de paiement ?
Pour pouvoir pénétrer dans cette zone, vous devez avoir enregistré vos informations de paiement. Souhaitez-vous aller sur [CURRENT_GRID] et enregistrer vos informations de paiement ?
[_URL]
<url name="url" option="0">
@ -4523,4 +4531,32 @@ Veuillez copier vers votre inventaire puis réessayer
<notification name="TrackLoadMismatch">
Impossible de charger la piste de [TRACK1] dans [TRACK2].
</notification>
<notification name="CompressionTestResults">
Résultat du test de compression de fichier pour gzip au niveau 6 avec [FILE] de taille [SIZE] KB :
Compression : [PACK_TIME]s [PSIZE]KB
Décompression : [UNPACK_TIME]s [USIZE]KB
</notification>
<notification name="NoValidEnvSettingFound">
Aucun paramètre d'environnement valide n'a été sélectionné.
Veuillez noter que "Utiliser l'environnement partagé" et "Basé sur le cycle journalier" ne peuvent pas être sélectionnés !
</notification>
<notification name="CantCreateInventoryName">
Ne peut pas être créé : [NAME]
</notification>
<notification name="WindlightBulkImportFinished">
L'importation par lot des réglages Windlights est terminée.
</notification>
<notification name="FSAOScriptedNotification">
Superviseur d'animation Firestorm : [AO_MESSAGE]
</notification>
<notification name="AttachedRiggedObjectToHUD">
Un objet attaché "[NAME]" contient du mesh lié à l'avatar mais est attaché au point HUD "[HUD_POINT]". Cela signifie que vous le verrez correctement affiché, mais que les autres ne pourront pas le voir. Retirez et de réattachez à un point d'attachement normal du corps.
</notification>
<notification name="WarnForceLoginURL">
L'URL de l'écran d'accueil de connexion est remplacée à des fins de test.
Remettre l'URL par défaut ?
<usetemplate name="okcancelbuttons" notext="Rappeler plus tard" yestext="Réinitialiser" />
</notification>
</notifications>

View File

@ -0,0 +1,58 @@
<?xml version="1.0" encoding="utf-8" standalone="yes" ?>
<panel label="Création d'un groupe" name="GroupCreation">
<panel.string name="current_membership">
(Votre abonnement)
</panel.string>
<panel name="group_info_top">
<text name="group_name_label" width="80">
Nom du groupe :
</text>
<line_editor label="Entrez le nom du nouveau groupe ici" name="group_name_editor" />
</panel>
<scroll_container name="content_scroll_container">
<panel name="content_panel">
<layout_stack name="layout">
<layout_panel name="group_info">
<panel name="group_info_top2">
<texture_picker name="insignia" tool_tip="Cliquez pour sélectionner une image" />
<text_editor name="charter">
Statut du groupe
</text_editor>
</panel>
<panel name="preferences_container">
<check_box label="Admission gratuite" name="open_enrollement" tool_tip="Indique si l'inscription dans le groupe est gratuite et ne nécessite pas d'invitation." />
<check_box label="Droits d'entrée" name="check_enrollment_fee" tool_tip="Indique un droit d'entrée est exigé pour rejoindre le groupe." />
<spinner name="spin_enrollment_fee" tool_tip="Il faut payer ce montant pour rejoindre le groupe si la case 'Frais d'entrée' est cochée." />
<combo_box name="group_mature_check" tool_tip="Les classifications de maturité et d'âge déterminent les types de contenu et de comportement autorisés dans un groupe.">
<combo_item name="select_mature">
- Sélectionnez le type de contenu -
</combo_item>
<combo_box.item label="Contenu modéré" name="mature" />
<combo_box.item label="Contenu général" name="pg" />
</combo_box>
</panel>
</layout_panel>
<layout_panel name="create_info">
<text name="fee_information">
Les frais de création d'un groupe dépendent de votre niveau d'abonnement. [https://secondlife.com/my/account/membership.php Plus d'informations]
</text>
<scroll_list name="membership_list">
<scroll_list.rows name="basic" value="Basique (remplissage)"/>
<scroll_list.rows name="premium" value="Premium (remplissage)" />
</scroll_list>
</layout_panel>
<layout_panel name="create_actions">
<layout_stack name="button_row_ls">
<layout_panel name="layout_crt">
<button label="Créer un groupe pour [COST] L$" name="btn_create" tool_tip="Créer un nouveau groupe" />
<button name="back" label="Annuler" />
</layout_panel>
</layout_stack>
<text name="info_deletion">
Note : après 2 jours, un groupe qui a moins de 2 membres autres que le créateur est supprimé !
</text>
</layout_panel>
</layout_stack>
</panel>
</scroll_container>
</panel>

View File

@ -34,7 +34,7 @@ Dettagli errore: La notifica denominata &apos;[_NAME]&apos; non è stata trovata
Il programma [APP_NAME] ha riscontrato un&apos;errore durante il tentativo di aggiornamento. [https://www.firestormviewer.org/downloads Scarica l&apos;ultima versione] del viewer.
</notification>
<notification name="LoginFailedNoNetwork">
Non è possibile collegarsi alla [SECOND_LIFE_GRID].
Non è possibile collegarsi alla [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Accertarsi che la connessione Internet stia funzionando correttamente.
</notification>
@ -1379,7 +1379,7 @@ Se questa è la prima volta che usi [CURRENT_GRID], devi creare un account prima
<usetemplate name="okcancelbuttons" notext="Continua" yestext="Crea account..."/>
</notification>
<notification name="LoginPacketNeverReceived">
Ci sono problemi di connessione. È possibile che ci siano problemi con la tua connessione Internet oppure sulla [SECOND_LIFE_GRID].
Ci sono problemi di connessione. È possibile che ci siano problemi con la tua connessione Internet oppure sulla [CURRENT_GRID].
Controlla la tua connessione e riprova fra qualche minuto, oppure clicca su Aiuto per visualizzare la pagina [SUPPORT_SITE], oppure clicca su Teleport per tentare il teleport a casa tua.
<form name="form">

View File

@ -85,7 +85,7 @@
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedNoNetwork">
[SECOND_LIFE_GRID] に接続できませんでした。
[CURRENT_GRID] に接続できませんでした。
「[DIAGNOSTIC]」
インターネット接続が正常かご確認ください。
<usetemplate name="okbutton" yestext="OK"/>
@ -1564,7 +1564,7 @@ https://wiki.secondlife.com/wiki/Adding_Spelling_Dictionaries を参照してく
<usetemplate name="okcancelbuttons" notext="続行" yestext="アカウントを作成..."/>
</notification>
<notification name="LoginPacketNeverReceived">
接続がなかなかできません。 お使いのインターネット接続か、[SECOND_LIFE_GRID] の問題と考えられます。
接続がなかなかできません。 お使いのインターネット接続か、[CURRENT_GRID] の問題と考えられます。
インターネット接続を確認してから数分後に再接続するか、ヘルプをクリックして [SUPPORT_SITE] をご覧になるか、テレポートをクリックしてホームに移動してみてください。
<url name="url">
@ -1577,7 +1577,7 @@ https://wiki.secondlife.com/wiki/Adding_Spelling_Dictionaries を参照してく
</form>
</notification>
<notification name="LoginPacketNeverReceivedNoTP">
接続がなかなかできません。 お使いのインターネット接続か、[SECOND_LIFE_GRID] の問題と考えられます。
接続がなかなかできません。 お使いのインターネット接続か、[CURRENT_GRID] の問題と考えられます。
インターネット接続を確認してから数分後に再接続するか、ヘルプをクリックして [SUPPORT_SITE] をご覧ください。
<url name="url">

View File

@ -34,7 +34,7 @@ Szczegóły błędu: Błąd o nazwie &apos;[_NAME]&apos; nie został odnaleziony
Instalacja [APP_NAME] jest uszkodzona. Proszę [https://www.firestormviewer.org/downloads pobrać nową kopię] przeglądarki i ponownie ją zainstalować.
</notification>
<notification name="LoginFailedNoNetwork">
Nie można połączyć z [SECOND_LIFE_GRID].
Nie można połączyć z [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Upewnij się, że Twoje połączenie z internetem działa.
</notification>
@ -1420,7 +1420,7 @@ Czy chcesz przejść na stronę [https://www.firestormviewer.org/join-secondlife
<usetemplate name="okcancelbuttons" notext="Anuluj" yestext="Potwierdź i wyloguj się" />
</notification>
<notification name="LoginPacketNeverReceived">
Problemy z połączeniem. Problem może być spowodowany Twoim połączeniem z Internetem albo może istnieć po stronie [SECOND_LIFE_GRID].
Problemy z połączeniem. Problem może być spowodowany Twoim połączeniem z Internetem albo może istnieć po stronie [CURRENT_GRID].
Możesz sprawdzić swoje połączenie z Internetem i spróbować ponownie za kilka minut, połączyć się ze stroną pomocy technicznej ([SUPPORT_SITE]) lub wybrać Teleportuj, by teleportować się do swojego miejsca startu.
<form name="form">
@ -1429,7 +1429,7 @@ Możesz sprawdzić swoje połączenie z Internetem i spróbować ponownie za kil
</form>
</notification>
<notification name="LoginPacketNeverReceivedNoTP">
Problemy z połączeniem. Problem może być spowodowany Twoim połączeniem z Internetem albo może istnieć po stronie [SECOND_LIFE_GRID].
Problemy z połączeniem. Problem może być spowodowany Twoim połączeniem z Internetem albo może istnieć po stronie [CURRENT_GRID].
Możesz sprawdzić swoje połączenie z Internetem i spróbować ponownie za kilka minut lub połączyć się ze stroną pomocy technicznej [SUPPORT_SITE].
<form name="form">

View File

@ -85,7 +85,7 @@ Detalhes do erro: O aviso &apos;[_NAME]&apos; não foi localizado no arquivo not
<usetemplate name="okbutton" yestext="OK"/>
</notification>
<notification name="LoginFailedNoNetwork">
Falha de conexão com o [SECOND_LIFE_GRID].
Falha de conexão com o [CURRENT_GRID].
&apos;[DIAGNOSTIC]&apos;
Verifique se a conexão à internet está funcionando.
<usetemplate name="okbutton" yestext="OK"/>
@ -1387,7 +1387,7 @@ Voltar para [https://www.firestormviewer.org/join-secondlife/ firestormviewer.or
<usetemplate name="okcancelbuttons" notext="Continuar" yestext="Criar conta"/>
</notification>
<notification name="LoginPacketNeverReceived">
Estamos detectando um problema de conexão. Pode haver um problema com a sua conexão à internet ou com o [SECOND_LIFE_GRID].
Estamos detectando um problema de conexão. Pode haver um problema com a sua conexão à internet ou com o [CURRENT_GRID].
Cheque sua conexão e tente em alguns minutos, clique na Ajuda para acessar o [SUPPORT_SITE], ou tente voltar para casa clicando em &apos;Teletransportar&apos;.
<url name="url">

View File

@ -19,8 +19,12 @@
<stat_view name="texture" label="Текстура" >
<stat_bar name="texture_cache_hits" label="Частота попадания в кэш"/>
<stat_bar name="texture_cache_read_latency" label="Задержка чтения кэша"/>
<stat_bar name="texture_decode_latency" label="Задержка декодирования кэша"/>
<stat_bar name="texture_decode_latency" label="Задержка записи в кэш"/>
<stat_bar name="texture_fetch_latency" label="Задержка выборки кэша"/>
<stat_bar name="texture_fetch_time" label="Время выборки кэша"/>
<stat_bar name="numimagesstat" label="Счетчик"/>
<stat_bar name="numrawimagesstat" label="Счетчик Raw"/>
<stat_bar name="numrawimagesstat" label="Необработанный счетчик"/>
</stat_view>
<!--Network Stats-->
<stat_view name="network" label="Сеть" >

View File

@ -65,6 +65,7 @@
<button label="Пуск" name="start_btn"/>
<button label="Сброс" name="clear_btn"/>
<button label="Закрыть" name="close_btn"/>
<button label="Сброс время выборки" name="reset_time_btn"/>
<button label="Чтение кэша" name="cacheread_btn"/>
<button label="Запись в кэш" name="cachewrite_btn"/>
<button label="HTTP" name="http_btn"/>

View File

@ -648,6 +648,7 @@
</menu>
<menu_item_check label="HTTP Текстуры" name="HTTP Textures"/>
<menu_item_call label="Сжатие изображений" name="Compress Images"/>
<menu_item_call label="Проверка сжатия файла" name="Compress File Test"/>
<menu_item_call label="Включить Visual Leak Detector" name="Enable Visual Leak Detector"/>
<menu_item_check label="Вывод минидампа при отладке" name="Output Debug Minidump"/>
<menu_item_check label="Окно консоли при следующем запуске" name="Console Window"/>

View File

@ -40,9 +40,14 @@
Произошла ошибка при обновлении [APP_NAME]. [https://www.firestormviewer.org/downloads Загрузите последнюю версию] клиента.
</notification>
<notification name="LoginFailedNoNetwork">
Не удалось подключиться к [SECOND_LIFE_GRID].
Не удалось подключиться к [CURRENT_GRID].
&quot;[DIAGNOSTIC]&quot;
Убедитесь, что подключение к интернету работает нормально.
</notification>
<notification name="LoginFailedToParse">
Вьювер получил искаженный ответ от сервера. Пожалуйста, убедитесь, что ваше интернет-соединение работает нормально и повторите попытку позже.
Если вы считаете что это ошибка, обратитесь в службу поддержки.
</notification>
<notification name="MessageTemplateNotFound">
Шаблон сообщения [PATH] не найден.
@ -349,7 +354,7 @@
<usetemplate name="okcancelbuttons" notext="Отмена" yestext="OK"/>
</notification>
<notification name="ConfirmLandSaleToAnyoneChange">
ВНИМАНИЕ! При выборе &quot;продавать кому угодно&quot; ваша земля станет доступной всему сообществу [SECOND_LIFE], даже тем, кто находится не в этом регионе.
ВНИМАНИЕ! При выборе &quot;продавать кому угодно&quot; ваша земля станет доступной всему сообществу [CURRENT_GRID], даже тем, кто находится не в этом регионе.
Выбранные [LAND_SIZE] м² земли выставляются на продажу.
Ваша цена продажи: $[SALE_PRICE], разрешена продажа для [NAME].
@ -453,7 +458,7 @@
Ошибка при передаче снимка отчета по следующей причине: [REASON]
</notification>
<notification name="MustAgreeToLogIn">
Для входа в [SECOND_LIFE] вы должны принять условия Пользовательского соглашения.
Для входа в [CURRENT_GRID] вы должны принять условия Пользовательского соглашения.
</notification>
<notification name="CouldNotBuyCurrencyOS">
[TITLE]
@ -481,7 +486,7 @@
Что-то осталось незаполненным.
Необходимо ввести имя пользователя для вашего аватара.
Для входа в [SECOND_LIFE] нужен аккаунт. Создать его?
Для входа в [CURRENT_GRID] нужен аккаунт. Создать его?
<url name="url">
[create_account_url]
</url>
@ -1167,6 +1172,9 @@
[MESSAGE]
<usetemplate name="okcancelbuttons" notext="Выйти" yestext="Смотреть ИМ/Чат"/>
</notification>
<notification name="InventoryUnusable">
Не удалось загрузить ваш инвентарь. Во-первых, попробуйте выйти из системы и войти снова. Если вы снова увидите это сообщение, обратитесь в службу поддержки чтобы решить проблему.
</notification>
<notification name="OnlyOfficerCanBuyLand">
Невозможно купить землю для группы:
У вас нет прав на покупку земли для вашей активной группы.
@ -1421,7 +1429,7 @@
</notification>
<notification name="ClothingLoading">
Ваша одежда все еще загружается.
Вы можете использовать [SECOND_LIFE] как обычно, другие пользователи будут видеть вас нормально.
Вы можете использовать [APP_NAME] как обычно, другие пользователи будут видеть вас нормально.
<form name="form">
<ignore name="ignore" text="Загрузка одежды занимает значительное время"/>
</form>
@ -1442,7 +1450,7 @@
<notification name="FirstRun">
Установка [APP_NAME] завершена.
Если вы используете [SECOND_LIFE] впервые, для входа в программу вам потребуется создать аккаунт.
Если вы используете [CURRENT_GRID] впервые, для входа в программу вам потребуется создать аккаунт.
<usetemplate name="okcancelbuttons" notext="Продолжить" yestext="Создать аккаунт..."/>
</notification>
<notification name="LoginCantRemoveUsername">
@ -1453,7 +1461,7 @@
<usetemplate name="okcancelbuttons" notext="Отмена" yestext="Подтвердить и выйти"/>
</notification>
<notification name="LoginPacketNeverReceived">
Возникли неполадки при подключении. Возможно, проблема с вашим подключением к интернету или [SECOND_LIFE_GRID] временно недоступна.
Возникли неполадки при подключении. Возможно, проблема с вашим подключением к интернету или [CURRENT_GRID] временно недоступна.
Вы можете проверить подключение к интернету, повторить попытку через несколько минут, нажать кнопку «Помощь» для перехода на [SUPPORT_SITE] или нажать кнопку «Телепортация», чтобы телепортироваться домой.
<url name="url">
@ -1466,7 +1474,7 @@
</form>
</notification>
<notification name="LoginPacketNeverReceivedNoTP">
Возникли неполадки при подключении. Возможно, проблема с вашим подключением к интернету или [SECOND_LIFE_GRID] временно недоступна.
Возникли неполадки при подключении. Возможно, проблема с вашим подключением к интернету или [CURRENT_GRID] временно недоступна.
Вы можете проверить подключение к интернету, повторить попытку через несколько минут, нажать кнопку «Справка» для перехода на [SUPPORT_SITE].
<form name="form">
@ -1483,7 +1491,7 @@
Ваш персонаж появится через мгновение.
Для ходьбы нажимайте клавиши со стрелками.
В любой момент можно нажать клавишу F1 для получения справки или информации о [SECOND_LIFE].
В любой момент можно нажать клавишу F1 для получения справки или информации о [CURRENT_GRID].
Выберите мужской или женский аватар. Этот выбор затем можно будет изменить.
<usetemplate name="okcancelbuttons" notext="Женщина" yestext="Мужчина"/>
</notification>
@ -5270,6 +5278,11 @@ https://wiki.firestormviewer.org/fs_voice
<notification name="TrackLoadMismatch">
Невозможно загрузить дорожку из [TRACK1] в [TRACK2].
</notification>
<notification name="CompressionTestResults">
Результат теста на сжатие gzip 6 уровня с файлом [FILE] размером [SIZE] КБ:
Упаковка: [PACK_TIME]с [PSIZE]КБ
Распаковка: [UNPACK_TIME]с [USIZE]КБ
</notification>
<notification name="NoValidEnvSettingFound">
Не выбрана допустимая настройка окружающей среды.

View File

@ -47,7 +47,7 @@
</layout_panel>
</layout_stack>
<text name="info_deletion">
Примечание: через 7 дней группа без участников (кроме создателя) удаляется!
Примечание: группа, в которой менее 2 участников, удаляется в течение 48 часов!
</text>
</layout_panel>
</layout_stack>

View File

@ -34,10 +34,7 @@
<check_box label="Принимать Cookies" name="cookies_enabled"/>
<check_box label="Включить Javascript" name="browser_javascript_enabled"/>
<check_box label="Включить всплывающие окна медиа" name="media_popup_enabled"/>
<!-- <button label="Настройка параметров прокси" label_selected="Настройка параметров прокси" name="set_proxy"/> -->
<text name="proxy_settings_label">
Будут использованы существующие настройки прокси вашей системы.
</text>
<button label="Настройка параметров прокси" label_selected="Настройка параметров прокси" name="set_proxy"/>
<text name="home_page_label_l">
Домашняя страница браузера:
</text>

View File

@ -86,7 +86,7 @@ Hata ayrıntıları: &apos;[_NAME]&apos; adlı bildirim notifications.xml içind
<usetemplate name="okbutton" yestext="Tamam"/>
</notification>
<notification name="LoginFailedNoNetwork">
[SECOND_LIFE_GRID] ile bağlantı kurulamadı.
[CURRENT_GRID] ile bağlantı kurulamadı.
&apos;[DIAGNOSTIC]&apos;
İnternet bağlantınızın düzgün çalıştığından emin olun.
<usetemplate name="okbutton" yestext="Tamam"/>
@ -417,7 +417,7 @@ Satış fiyatınız L$ [SALE_PRICE] olacak ve [NAME] için satışa açık olaca
<usetemplate name="okcancelbuttons" notext="İptal" yestext="Tamam"/>
</notification>
<notification name="ConfirmLandSaleToAnyoneChange">
DİKKAT: &apos;Herkes için satışa açık&apos; seçeneğinin tıklanması, arazinizi tüm [SECOND_LIFE] topluluğuna açık hale getirir, bu bölgede bulunmayanlar da buna dahildir.
DİKKAT: &apos;Herkes için satışa açık&apos; seçeneğinin tıklanması, arazinizi tüm [CURRENT_GRID] topluluğuna açık hale getirir, bu bölgede bulunmayanlar da buna dahildir.
Seçili [LAND_SIZE] m² arazi satışa çıkarılmak üzere ayarlanıyor.
Satış fiyatınız L$ [SALE_PRICE] olacak ve [NAME] için satışa açık olacaktır.
@ -521,7 +521,7 @@ Ortamı sadece bir yüze yerleştirmek için, Yüz Seç&apos;i seçin ve ardınd
Aşağıdaki nedenden dolayı, bir raporun ekran görüntüsü karşıya yüklenirken bir sorun oluştu: [REASON]
</notification>
<notification name="MustAgreeToLogIn">
[SECOND_LIFE]&apos;ta oturum açmaya devam etmek için Second Life Şartlar ve Koşullar&apos;ı, Gizlilik Politikası&apos;nı ve Hizmet Koşulları&apos;nı kabul etmelisiniz.
[CURRENT_GRID]&apos;ta oturum açmaya devam etmek için Second Life Şartlar ve Koşullar&apos;ı, Gizlilik Politikası&apos;nı ve Hizmet Koşulları&apos;nı kabul etmelisiniz.
</notification>
<notification name="CouldNotPutOnOutfit">
Dış görünüm eklenemedi.
@ -544,7 +544,7 @@ Dış görünüm klasöründe hiç giysi, vücut bölümü ya da aksesuar yok.
Hata! Boş bırakılan alan(lar) var.
Avatarınızın Kullanıcı adını girmeniz gerekmektedir.
[SECOND_LIFE]&apos;a giriş yapmak için bir hesabınız olması gerekir. Şimdi bir hesap oluşturmak ister misiniz?
[CURRENT_GRID]&apos;a giriş yapmak için bir hesabınız olması gerekir. Şimdi bir hesap oluşturmak ister misiniz?
<url name="url">
[create_account_url]
</url>
@ -586,7 +586,7 @@ Devam etmek istediğinize emin misiniz?
<usetemplate name="okcancelbuttons" notext="İptal" yestext="Tamam"/>
</notification>
<notification name="PromptGoToEventsPage">
[SECOND_LIFE] etkinlikleri web sayfasına gidilsin mi?
[CURRENT_GRID] etkinlikleri web sayfasına gidilsin mi?
<url name="url">
http://secondlife.com/events/
</url>
@ -618,7 +618,7 @@ Not: Bu işlem önbelleği temizleyecek.
Dil değişikliği, [APP_NAME] uygulamasını yeniden başlattıktan sonra geçerli olacak.
</notification>
<notification name="GoToAuctionPage">
ık arttırma detaylarını görmek veya teklif vermek için [SECOND_LIFE] web sayfasına gidilsin mi?
ık arttırma detaylarını görmek veya teklif vermek için [CURRENT_GRID] web sayfasına gidilsin mi?
<url name="url">
http://secondlife.com/auctions/auction-detail.php?id=[AUCTION_ID]
</url>
@ -681,7 +681,7 @@ Nesne aralık dışında ya da silinmiş olabilir.
Dosya karşıdan yüklenemiyor.
</notification>
<notification label="" name="MediaFileDownloadUnsupported">
[SECOND_LIFE] içinde desteklenmeyen bir dosya indirmeyi talep ettiniz.
[APP_NAME] içinde desteklenmeyen bir dosya indirmeyi talep ettiniz.
<usetemplate ignoretext="Desteklenmeyen dosya indirme işlemleri hakkında uyar" name="okignore" yestext="Tamam"/>
</notification>
<notification name="CannotWriteFile">
@ -1174,7 +1174,7 @@ Arazi birleştirilsin mi?
Bu genellikle geçici bir arızadır. Lütfen giyilebilir öğeyi birkaç dakika sonra yeniden özelleştirip kaydedin.
</notification>
<notification name="YouHaveBeenLoggedOut">
Üzgünüz. [SECOND_LIFE] oturumunuz kapandı.
Üzgünüz. [CURRENT_GRID] oturumunuz kapandı.
[MESSAGE]
<usetemplate name="okcancelbuttons" notext=ık" yestext="Anlık İleti ve Sohbeti Görüntüle"/>
@ -1419,7 +1419,7 @@ Yeni bir ana konum ayarlamak isteyebilirsiniz.
</notification>
<notification name="ClothingLoading">
Giysileriniz hala karşıdan yükleniyor.
[SECOND_LIFE]&apos;ı normal şekilde kullanmaya devam edebilirsiniz, diğer insanlar sizi düzgün bir şekilde görecektir.
[APP_NAME]&apos;ı normal şekilde kullanmaya devam edebilirsiniz, diğer insanlar sizi düzgün bir şekilde görecektir.
<form name="form">
<ignore name="ignore" text="Giysilerin karşıdan yüklenmesi uzun zaman alıyor"/>
</form>
@ -1440,11 +1440,11 @@ Yeni bir ana konum ayarlamak isteyebilirsiniz.
<notification name="FirstRun">
[APP_NAME] yüklemesi tamamlandı.
[SECOND_LIFE]&apos;ı ilk kez kullanıyorsanız, oturum açmadan önce bir hesap oluşturmalısınız.
[CURRENT_GRID]&apos;ı ilk kez kullanıyorsanız, oturum açmadan önce bir hesap oluşturmalısınız.
<usetemplate name="okcancelbuttons" notext="Devam" yestext="Hesap Oluştur..."/>
</notification>
<notification name="LoginPacketNeverReceived">
Bağlantıda sorun yaşıyoruz. İnternet bağlantınızda ya da [SECOND_LIFE_GRID] uygulamasında bir problem olabilir.
Bağlantıda sorun yaşıyoruz. İnternet bağlantınızda ya da [CURRENT_GRID] uygulamasında bir problem olabilir.
İnternet bağlantınızı kontrol edip bir kaç dakika sonra yeniden bağlanmayı deneyebilir, [SUPPORT_SITE] sayfasına gitmek için Yardım&apos;ı tıklatabilir ya da ana konumunuza ışınlanmak için Işınla&apos;yı tıklatabilirsiniz.
<url name="url">
@ -1460,7 +1460,7 @@ Yeni bir ana konum ayarlamak isteyebilirsiniz.
Karakteriniz birazdan görünecek.
Yürümek için ok tuşlarını kullanın.
Yardım almak ya da [SECOND_LIFE] hakkında daha fazla bilgi edinmek için istediğiniz zaman F1 tuşuna basın.
Yardım almak ya da [CURRENT_GRID] hakkında daha fazla bilgi edinmek için istediğiniz zaman F1 tuşuna basın.
Lütfen bir erkek ya da kadın avatar seçin. Fikrinizi daha sonra değiştirebilirsiniz.
<usetemplate name="okcancelbuttons" notext="Kadın" yestext="Erkek"/>
</notification>
@ -1657,15 +1657,15 @@ Devam edilsin mi?
<usetemplate ignoretext="Hesabımı yönetmek için tarayıcımı başlat" name="okcancelignore" notext="İptal" yestext="Tamam"/>
</notification>
<notification name="WebLaunchSecurityIssues">
Bir güvenlik sorununun nasıl bildireceği ile ilgili ayrıntıları öğrenmek için [SECOND_LIFE] Wiki&apos;yi aç.
Bir güvenlik sorununun nasıl bildireceği ile ilgili ayrıntıları öğrenmek için [CURRENT_GRID] Wiki&apos;yi aç.
<usetemplate ignoretext="Bir Güvenlik Sorununu bildirme şeklini öğrenmek için tarayıcımı başlat" name="okcancelignore" notext="İptal" yestext="Tamam"/>
</notification>
<notification name="WebLaunchQAWiki">
[SECOND_LIFE] Wiki&apos;nin Kalite Güvencesi sayfasını ziyaret edin.
[CURRENT_GRID] Wiki&apos;nin Kalite Güvencesi sayfasını ziyaret edin.
<usetemplate ignoretext="Wiki Kalite Güvencesi sayfasını görüntülemek için tarayıcımı başlat" name="okcancelignore" notext="İptal" yestext="Tamam"/>
</notification>
<notification name="WebLaunchPublicIssue">
Hataları ve diğer sorunları bildirebileceğiniz [SECOND_LIFE] Kamuya Açık Sorun Takip sayfasını ziyaret edin.
Hataları ve diğer sorunları bildirebileceğiniz [CURRENT_GRID] Kamuya Açık Sorun Takip sayfasını ziyaret edin.
<usetemplate ignoretext="Kamuya Açık Sorun Takip hizmetini kullanmak için tarayıcımı başlat" name="okcancelignore" notext="İptal Et" yestext="Sayfaya git"/>
</notification>
<notification name="WebLaunchSupportWiki">
@ -2361,9 +2361,9 @@ Doğru bir anlatım yapılması, kötüye kullanım bildirimlerini dosyalamamız
Fikri mülkiyet ihlali konusunda bir bildirim yapıyorsunuz. Konuyu doğru bir şekilde bildirdiğinizden emin olun:
(1) Kötüye Kullanımı Bildirme Süreci. Bir Second Life Sakininin, CopyBot ya da benzeri bir kopyalama aracı kullanma vb. yollarla, fikri mülkiyet haklarını ihlal edecek şekilde [SECOND_LIFE]&apos;ın verdiği izinleri kötüye kullandığını düşünüyorsanız bir kötüye kullanım bildirimi sunabilirsiniz. Kötüye Kullanımla Mücadele Ekibi [SECOND_LIFE] [http://secondlife.com/corporate/tos.php Hizmet Sözleşmesi] veya [http://secondlife.com/corporate/cs.php Topluluk Standartları] kurallarını ihlal eden davranışları inceleyecek ve uygun disiplin cezalarını verecektir. Ancak, Kötüye Kullanımla Mücadele Ekibi, içeriğin [SECOND_LIFE] ortamından kaldırılma taleplerine yanıt vermeyecektir.
(1) Kötüye Kullanımı Bildirme Süreci. Bir Second Life Sakininin, CopyBot ya da benzeri bir kopyalama aracı kullanma vb. yollarla, fikri mülkiyet haklarını ihlal edecek şekilde [CURRENT_GRID]&apos;ın verdiği izinleri kötüye kullandığını düşünüyorsanız bir kötüye kullanım bildirimi sunabilirsiniz. Kötüye Kullanımla Mücadele Ekibi [CURRENT_GRID] [http://secondlife.com/corporate/tos.php Hizmet Sözleşmesi] veya [http://secondlife.com/corporate/cs.php Topluluk Standartları] kurallarını ihlal eden davranışları inceleyecek ve uygun disiplin cezalarını verecektir. Ancak, Kötüye Kullanımla Mücadele Ekibi, içeriğin [CURRENT_GRID] ortamından kaldırılma taleplerine yanıt vermeyecektir.
(2) DMCA veya İçerik Kaldırma Süreci. İçeriğin [SECOND_LIFE] ortamından kaldırılmasını talep etmek için, [http://secondlife.com/corporate/dmca.php DMCA İlkeleri]&apos;nde belirtildiği şekilde geçerli bir ihlal bildirimi sunmuş olmanız GEREKLİDİR.
(2) DMCA veya İçerik Kaldırma Süreci. İçeriğin [CURRENT_GRID] ortamından kaldırılmasını talep etmek için, [http://secondlife.com/corporate/dmca.php DMCA İlkeleri]&apos;nde belirtildiği şekilde geçerli bir ihlal bildirimi sunmuş olmanız GEREKLİDİR.
Kötüye kullanım bildirme sürecine devam etmek için, lütfen bu pencereyi kapatın ve bildiriminizi gönderme işlemini tamamlayın. &apos;CopyBot veya İzin İhlali&apos; kategorisini seçmeniz gerekebilir.
@ -2513,7 +2513,7 @@ Ayarlar yerel dokular kullanılarak kaydedilemez.
Konum, 18 veya üzeri bir yaşta olanlara kısıtlanmıştır.
</notification>
<notification name="Cannot enter parcel: no payment info on file">
Bu alanı ziyaret edebilmek için ödeme bilgilerinizin kayıtlı olması gerekir. [SECOND_LIFE] web sitesine gitmek ve bunu ayarlamak istiyor musunuz?
Bu alanı ziyaret edebilmek için ödeme bilgilerinizin kayıtlı olması gerekir. [CURRENT_GRID] web sitesine gitmek ve bunu ayarlamak istiyor musunuz?
[_URL]
<url name="url">

View File

@ -86,7 +86,7 @@
<usetemplate name="okbutton" yestext="確定"/>
</notification>
<notification name="LoginFailedNoNetwork">
無法連接到 [SECOND_LIFE_GRID]。
無法連接到 [CURRENT_GRID]。
[DIAGNOSTIC]
請確定你的網路連線沒有問題。
<usetemplate name="okbutton" yestext="確定"/>
@ -1379,7 +1379,7 @@
<usetemplate name="okcancelbuttons" notext="繼續" yestext="建立帳號…"/>
</notification>
<notification name="LoginPacketNeverReceived">
連線出現問題。 問題可能出在你的網路連線或 [SECOND_LIFE_GRID]。
連線出現問題。 問題可能出在你的網路連線或 [CURRENT_GRID]。
請檢查你的網路連線,幾分鐘後再試一次,或者點按幫助瀏覽 [SUPPORT_SITE],或點按瞬間傳送試著回到你的家。
<url name="url">
@ -2266,7 +2266,7 @@ SHA1 指紋:[MD5_DIGEST]
你似乎正在舉報有人侵犯智慧財產權。 請確定你舉報內容確鑿無誤:
(1) 違規舉報處理程序。 你若相信有居民利用 [CURRENT_GRID] 權限遂行侵犯智慧財產權,如使用複製機器程式碼(CopyBot)或其他類似複製工具,得以舉報此情事。 違規處理小組會就任何違反[SECOND_LIFE][http://secondlife.com/corporate/tos.php 服務條款]或[http://secondlife.com/corporate/cs.php 社群準則]的行為展開調查,並採取適當處置。 然而,違規處理小組並不受理要求將某內容自[SECOND_LIFE]虛擬世界刪除,這類要求將不予回應。
(1) 違規舉報處理程序。 你若相信有居民利用 [CURRENT_GRID] 權限遂行侵犯智慧財產權,如使用複製機器程式碼(CopyBot)或其他類似複製工具,得以舉報此情事。 違規處理小組會就任何違反[CURRENT_GRID][http://secondlife.com/corporate/tos.php 服務條款]或[http://secondlife.com/corporate/cs.php 社群準則]的行為展開調查,並採取適當處置。 然而,違規處理小組並不受理要求將某內容自[CURRENT_GRID]虛擬世界刪除,這類要求將不予回應。
(2) DMCA刪除內容作業程序。 若欲要求刪除[CURRENT_GRID]內容,你必須按照[http://secondlife.com/corporate/dmca.php DMCA 政策]提出有效的侵權通知。

View File

@ -840,6 +840,12 @@
<color
name="PathfindingCharacterBeaconColor"
reference="Red_80" />
<!-- Phototools_Header Added Feb 28 2022 Anastasia Horngold to fix orange headers -->
<color
name="Phototools_Header"
reference="EmphasisColor_13" />
<color
name="ScriptBgReadOnlyColor"
reference="SL-TitaniumGray" />

View File

@ -851,6 +851,12 @@
<color
name="PathfindingCharacterBeaconColor"
reference="Red_80" />
<!-- Phototools_Header Added Feb 28 2022 Anastasia Horngold to fix orange headers -->
<color
name="Phototools_Header"
reference="EmphasisColor_13" />
<color
name="ScriptBgReadOnlyColor"
reference="SL-TitaniumGray" />

View File

@ -2042,19 +2042,14 @@ class LinuxManifest(ViewerManifest):
# Vivox runtimes
# Currentelly, the 32-bit ones will work with a 64-bit client.
with self.prefix(src=os.path.join(pkgdir, 'lib', 'release'), dst="bin"):
with self.prefix(src=os.path.join(pkgdir, 'bin32' ), dst="bin"):
self.path("SLVoice")
with self.prefix(src=os.path.join(pkgdir ), dst="bin"):
self.path("win32")
self.path("win64")
with self.prefix(src=os.path.join(pkgdir, 'lib', 'release'), dst="lib"):
self.path("libortp.so")
self.path("libsndfile.so.1")
# <FS:TS> Vivox wants this library even if it's present already in the viewer
self.path("libvivoxoal.so.1")
self.path("libvivoxsdk.so")
self.path("libvivoxplatform.so")
with self.prefix(src=os.path.join(pkgdir, 'lib32' ), dst="lib32"):
self.path("*")
def package_finish(self):
# a standard map of strings for replacing in the templates

View File

@ -79,10 +79,18 @@ namespace tut
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Wunused-function"
#endif
#if __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wunused-function"
#endif
#include <tut/tut.hpp>
#if __clang__
#pragma clang diagnostic pop
#endif
#if __GNUC__
#pragma GCC diagnostic pop
#endif
// The functions BELOW this point actually consume tut.hpp functionality.
namespace tut