# Conflicts:
#	indra/llmessage/message_prehash.cpp
#	indra/newview/llimprocessing.cpp
#	indra/newview/llimview.cpp
#	indra/newview/llimview.h
#	indra/newview/skins/default/xui/de/strings.xml
#	indra/newview/skins/default/xui/en/strings.xml
#	indra/newview/skins/default/xui/es/strings.xml
#	indra/newview/skins/default/xui/fr/strings.xml
#	indra/newview/skins/default/xui/it/strings.xml
#	indra/newview/skins/default/xui/ja/strings.xml
#	indra/newview/skins/default/xui/pl/strings.xml
#	indra/newview/skins/default/xui/pt/strings.xml
master
Ansariel 2025-03-28 15:07:17 +01:00
commit 1537c9ed2c
22 changed files with 316 additions and 12 deletions

168
.github/workflows/qatest.yaml vendored Normal file
View File

@ -0,0 +1,168 @@
name: Run QA Test # Runs automated tests on a self-hosted QA machine
on:
workflow_run:
workflows: ["Build"]
types:
- completed
concurrency:
group: qa-test-run
cancel-in-progress: true # Cancels any queued job when a new one starts
jobs:
debug-workflow:
runs-on: ubuntu-latest
steps:
- name: Debug Workflow Variables
run: |
echo "Workflow Conclusion: ${{ github.event.workflow_run.conclusion }}"
echo "Workflow Head Branch: ${{ github.event.workflow_run.head_branch }}"
echo "Workflow Run ID: ${{ github.event.workflow_run.id }}"
echo "Head Commit Message: ${{ github.event.workflow_run.head_commit.message }}"
echo "GitHub Ref: ${{ github.ref }}"
echo "GitHub Ref Name: ${{ github.ref_name }}"
echo "GitHub Event Name: ${{ github.event_name }}"
echo "GitHub Workflow Name: ${{ github.workflow }}"
install-viewer-and-run-tests:
runs-on: [self-hosted, qa-machine]
# Run test only on successful builds of Second_Life_X branches
if: >
github.event.workflow_run.conclusion == 'success' &&
(
startsWith(github.ref, 'refs/tags/Second_Life')
)
steps:
- name: Temporarily Allow PowerShell Scripts (Process Scope)
run: |
Set-ExecutionPolicy RemoteSigned -Scope Process -Force
- name: Verify viewer-sikulix-main Exists
run: |
if (-Not (Test-Path -Path 'C:\viewer-sikulix-main')) {
Write-Host '❌ Error: viewer-sikulix not found on runner!'
exit 1
}
Write-Host '✅ viewer-sikulix is already available.'
- name: Fetch & Download Windows Installer Artifact
shell: pwsh
run: |
$BUILD_ID = "${{ github.event.workflow_run.id }}"
$ARTIFACTS_URL = "https://api.github.com/repos/secondlife/viewer/actions/runs/$BUILD_ID/artifacts"
# Fetch the correct artifact URL
$response = Invoke-RestMethod -Headers @{Authorization="token ${{ secrets.GITHUB_TOKEN }}" } -Uri $ARTIFACTS_URL
$ARTIFACT_NAME = ($response.artifacts | Where-Object { $_.name -eq "Windows-installer" }).archive_download_url
if (-Not $ARTIFACT_NAME) {
Write-Host "❌ Error: Windows-installer artifact not found!"
exit 1
}
Write-Host "✅ Artifact found: $ARTIFACT_NAME"
# Secure download path
$DownloadPath = "$env:TEMP\secondlife-build-$BUILD_ID"
New-Item -ItemType Directory -Path $DownloadPath -Force | Out-Null
$InstallerPath = "$DownloadPath\installer.zip"
# Download the ZIP
Invoke-WebRequest -Uri $ARTIFACT_NAME -Headers @{Authorization="token ${{ secrets.GITHUB_TOKEN }}"} -OutFile $InstallerPath
# Ensure download succeeded
if (-Not (Test-Path $InstallerPath)) {
Write-Host "❌ Error: Failed to download Windows-installer.zip"
exit 1
}
- name: Extract Installer & Locate Executable
shell: pwsh
run: |
# Explicitly set BUILD_ID again (since it does not appear to persist across steps)
$BUILD_ID = "${{ github.event.workflow_run.id }}"
$ExtractPath = "$env:TEMP\secondlife-build-$BUILD_ID"
$InstallerZip = "$ExtractPath\installer.zip"
# Print paths for debugging
Write-Host "Extract Path: $ExtractPath"
Write-Host "Installer ZIP Path: $InstallerZip"
# Verify ZIP exists before extracting
if (-Not (Test-Path $InstallerZip)) {
Write-Host "❌ Error: ZIP file not found at $InstallerZip!"
exit 1
}
Write-Host "✅ ZIP file exists and is valid. Extracting..."
Expand-Archive -Path $InstallerZip -DestinationPath $ExtractPath -Force
# Find installer executable
$INSTALLER_PATH = (Get-ChildItem -Path $ExtractPath -Filter '*.exe' -Recurse | Select-Object -First 1).FullName
if (-Not $INSTALLER_PATH -or $INSTALLER_PATH -eq "") {
Write-Host "❌ Error: No installer executable found in the extracted files!"
Write-Host "📂 Extracted Files:"
Get-ChildItem -Path $ExtractPath -Recurse | Format-Table -AutoSize
exit 1
}
Write-Host "✅ Installer found: $INSTALLER_PATH"
echo "INSTALLER_PATH=$INSTALLER_PATH" | Out-File -FilePath $env:GITHUB_ENV -Append
- name: Install Second Life Using Task Scheduler (Bypass UAC)
shell: pwsh
run: |
$action = New-ScheduledTaskAction -Execute "${{ env.INSTALLER_PATH }}" -Argument "/S"
$principal = New-ScheduledTaskPrincipal -UserId "SYSTEM" -LogonType ServiceAccount -RunLevel Highest
$task = New-ScheduledTask -Action $action -Principal $principal
Register-ScheduledTask -TaskName "SilentSLInstaller" -InputObject $task -Force
Start-ScheduledTask -TaskName "SilentSLInstaller"
- name: Wait for Installation to Complete
shell: pwsh
run: |
Write-Host "Waiting for the Second Life installer to finish..."
do {
Start-Sleep -Seconds 5
$installerProcess = Get-Process | Where-Object { $_.Path -eq "${{ env.INSTALLER_PATH }}" }
} while ($installerProcess)
Write-Host "✅ Installation completed!"
- name: Cleanup Task Scheduler Entry
shell: pwsh
run: |
Unregister-ScheduledTask -TaskName "SilentSLInstaller" -Confirm:$false
Write-Host "✅ Task Scheduler entry removed."
- name: Delete Installer ZIP
shell: pwsh
run: |
# Explicitly set BUILD_ID again
$BUILD_ID = "${{ github.event.workflow_run.id }}"
$DeletePath = "$env:TEMP\secondlife-build-$BUILD_ID\installer.zip"
Write-Host "Checking if installer ZIP exists: $DeletePath"
# Ensure the ZIP file exists before trying to delete it
if (Test-Path $DeletePath) {
Remove-Item -Path $DeletePath -Force
Write-Host "✅ Successfully deleted: $DeletePath"
} else {
Write-Host "⚠️ Warning: ZIP file does not exist, skipping deletion."
}
- name: Run QA Test Script
run: |
Write-Host "Running QA Test script..."
python C:\viewer-sikulix-main\runTests.py
# - name: Upload Test Results
# uses: actions/upload-artifact@v3
# with:
# name: test-results
# path: C:\viewer-sikulix-main\regressionTest\test_results.html

View File

@ -262,6 +262,8 @@ public:
void setMediaURLResetTimer(F32 time);
virtual void setLocalID(S32 local_id);
void setRegionID(const LLUUID& id) { mRegionID = id; }
const LLUUID& getRegionID() const { return mRegionID; }
// blow away all the extra stuff lurking in parcels, including urls, access lists, etc
void clearParcel();
@ -651,6 +653,7 @@ public:
S32 mLocalID;
LLUUID mBanListTransactionID;
LLUUID mAccessListTransactionID;
LLUUID mRegionID;
std::map<LLUUID,LLAccessEntry> mAccessList;
std::map<LLUUID,LLAccessEntry> mBanList;
std::map<LLUUID,LLAccessEntry> mTempBanList;

View File

@ -1405,6 +1405,7 @@ char const* const _PREHASH_HoverHeight = LLMessageStringTable::getInstance()->ge
char const* const _PREHASH_Experience = LLMessageStringTable::getInstance()->getString("Experience");
char const* const _PREHASH_ExperienceID = LLMessageStringTable::getInstance()->getString("ExperienceID");
char const* const _PREHASH_LargeGenericMessage = LLMessageStringTable::getInstance()->getString("LargeGenericMessage");
char const* const _PREHASH_MetaData = LLMessageStringTable::getInstance()->getString("MetaData");
// <FS:CR> Aurora Sim
char const* const _PREHASH_RegionSizeX = LLMessageStringTable::getInstance()->getString("RegionSizeX");

View File

@ -1405,6 +1405,7 @@ extern char const* const _PREHASH_HoverHeight;
extern char const* const _PREHASH_Experience;
extern char const* const _PREHASH_ExperienceID;
extern char const* const _PREHASH_LargeGenericMessage;
extern char const* const _PREHASH_MetaData;
// <FS:CR> Aurora Sim
extern char const* const _PREHASH_RegionSizeX;

View File

@ -651,6 +651,7 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
U8 *binary_bucket,
S32 binary_bucket_size,
LLHost &sender,
LLSD metadata,
LLUUID aux_id)
{
LLChat chat;
@ -707,6 +708,28 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
bool is_afk = gAgent.getAFK();
// </FS:PP>
/***
* The simulator may have flagged this sender as a bot, if the viewer would like to display
* the chat text in a different color or font, the below code is how the viewer can
* tell if the sender is a bot.
*-----------------------------------------------------
bool is_bot = false;
if (metadata.has("sender"))
{ // The server has identified this sender as a bot.
is_bot = metadata["sender"]["bot"].asBoolean();
}
*-----------------------------------------------------
*/
std::string notice_name;
LLSD notice_args;
if (metadata.has("notice"))
{ // The server has injected a notice into the IM conversation.
// These will be things like bot notifications, etc.
notice_name = metadata["notice"]["id"].asString();
notice_args = metadata["notice"]["data"];
}
chat.mMuted = is_muted;
chat.mFromID = from_id;
chat.mFromName = name;
@ -886,6 +909,8 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
position,
false,
timestamp,
LLUUID::null,
"",
false,
keyword_alert_performed);
@ -918,6 +943,8 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
position,
false,
0,
LLUUID::null,
"",
true
);
// </FS:LO>
@ -942,6 +969,8 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
position,
false,
0,
LLUUID::null,
"",
true);
LLGiveInventory::doGiveInventoryItem(from_id, item, session_id);
}
@ -963,7 +992,7 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
}
else
{
// standard message, not from system
// standard message, server may have injected a notice into the conversation.
std::string saved;
if (offline == IM_OFFLINE)
{
@ -1026,8 +1055,17 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
region_message = true;
}
}
gIMMgr->addMessage(
session_id,
std::string real_name;
if (!notice_name.empty())
{ // The simulator has injected some sort of notice into the conversation.
// findString will only replace the contents of buffer if the notice_id is found.
LLTrans::findString(buffer, notice_name, notice_args);
real_name = SYSTEM_FROM;
}
gIMMgr->addMessage(session_id,
from_id,
name,
buffer,
@ -1039,6 +1077,8 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
position,
region_message,
timestamp,
LLUUID::null,
real_name,
false,
keyword_alert_performed);
}
@ -1756,6 +1796,8 @@ void LLIMProcessing::processNewMessage(LLUUID from_id,
position,
false,
timestamp,
LLUUID::null,
"",
false,
keyword_alert_performed);
}
@ -2379,6 +2421,12 @@ void LLIMProcessing::requestOfflineMessagesCoro(std::string url)
from_group = message_data["from_group"].asString() == "Y";
}
LLSD metadata;
if (message_data.has("metadata"))
{
metadata = message_data["metadata"];
}
EInstantMessage dialog = static_cast<EInstantMessage>(message_data["dialog"].asInteger());
LLUUID session_id = message_data["transaction-id"].asUUID();
if (session_id.isNull() && dialog == IM_FROM_TASK)
@ -2406,6 +2454,7 @@ void LLIMProcessing::requestOfflineMessagesCoro(std::string url)
local_bin_bucket.data(),
S32(local_bin_bucket.size()),
local_sender,
metadata,
message_data["asset_id"].asUUID());
});

View File

@ -48,6 +48,7 @@ public:
U8 *binary_bucket,
S32 binary_bucket_size,
LLHost &sender,
LLSD metadata,
LLUUID aux_id = LLUUID::null);
// Either receives list of offline messages from 'ReadOfflineMsgs' capability

View File

@ -3446,11 +3446,18 @@ void LLIMMgr::addMessage(
const LLUUID& region_id,
const LLVector3& position,
bool is_region_msg,
U32 timestamp, // May be zero
U32 timestamp, // May be zero
LLUUID display_id,
std::string_view display_name,
bool is_announcement, // <FS:Ansariel> Special parameter indicating announcements
bool keyword_alert_performed) // <FS:Ansariel> Pass info if keyword alert has been performed
{
LLUUID other_participant_id = target_id;
std::string message_display_name = (display_name.empty()) ? from : std::string(display_name);
if (display_id.isNull() && (display_name.empty()))
{
display_id = other_participant_id;
}
LLUUID new_session_id = session_id;
if (new_session_id.isNull())
@ -3603,7 +3610,7 @@ void LLIMMgr::addMessage(
// <FS:PP> Configurable IM sounds
// //Play sound for new conversations
// if (!skip_message & !gAgent.isDoNotDisturb() && (gSavedSettings.getBOOL("PlaySoundNewConversation")))
// if (!skip_message && !gAgent.isDoNotDisturb() && (gSavedSettings.getBOOL("PlaySoundNewConversation")))
// <FS:PP> Option to automatically ignore and leave all conference (ad-hoc) chats
static LLCachedControl<bool> ignoreAdHocSessions(gSavedSettings, "FSIgnoreAdHocSessions");
@ -3712,8 +3719,8 @@ void LLIMMgr::addMessage(
if (!LLMuteList::getInstance()->isMuted(other_participant_id, LLMute::flagTextChat) && !skip_message)
{
// <FS:Ansariel> Added is_announcement parameter
//LLIMModel::instance().addMessage(new_session_id, from, other_participant_id, msg, true, is_region_msg, timestamp);
LLIMModel::instance().addMessage(new_session_id, from, other_participant_id, msg, true, is_region_msg, timestamp, is_announcement, keyword_alert_performed);
//LLIMModel::instance().addMessage(new_session_id, message_display_name, display_id, msg, true, is_region_msg, timestamp);
LLIMModel::instance().addMessage(new_session_id, message_display_name, display_id, msg, true, is_region_msg, timestamp, is_announcement, keyword_alert_performed);
}
// Open conversation floater if offline messages are present
@ -4606,6 +4613,8 @@ void typingNameCallback(const LLUUID& av_id, const LLAvatarName& av_name, const
LLVector3::zero,
false,
0,
LLUUID::null,
"",
true
);
}
@ -4679,6 +4688,8 @@ void typingNameCallback(const LLUUID& av_id, const LLAvatarName& av_name, const
LLVector3::zero,
false,
0,
LLUUID::null,
"",
true
);
@ -4702,6 +4713,8 @@ void typingNameCallback(const LLUUID& av_id, const LLAvatarName& av_name, const
LLVector3::zero,
false,
0,
LLUUID::null,
"",
true);
LLGiveInventory::doGiveInventoryItem(av_id, item, session_id);
}

View File

@ -414,6 +414,8 @@ public:
const LLVector3& position = LLVector3::zero,
bool is_region_msg = false,
U32 timestamp = 0,
LLUUID display_id = LLUUID::null,
std::string_view display_name = "",
bool is_announcement = false, // <FS:Ansariel> Special parameter indicating announcement
bool keyword_alert_performed = false // <FS:Ansariel> Pass info if keyword alert has been performed
);

View File

@ -2531,6 +2531,21 @@ void process_improved_im(LLMessageSystem *msg, void **user_data)
EInstantMessage dialog = (EInstantMessage)d;
LLHost sender = msg->getSender();
LLSD metadata;
if (msg->getNumberOfBlocksFast(_PREHASH_MetaData) > 0)
{
S32 metadata_size = msg->getSizeFast(_PREHASH_MetaData, 0, _PREHASH_Data);
std::string metadata_buffer;
metadata_buffer.resize(metadata_size, 0);
msg->getBinaryDataFast(_PREHASH_MetaData, _PREHASH_Data, &metadata_buffer[0], metadata_size, 0, metadata_size );
std::stringstream metadata_stream(metadata_buffer);
if (LLSDSerialize::fromBinary(metadata, metadata_stream, metadata_size) == LLSDParser::PARSE_FAILURE)
{
metadata.clear();
}
}
LLIMProcessing::processNewMessage(from_id,
from_group,
to_id,
@ -2545,7 +2560,8 @@ void process_improved_im(LLMessageSystem *msg, void **user_data)
position,
binary_bucket,
binary_bucket_size,
sender);
sender,
metadata);
}
void send_do_not_disturb_message (LLMessageSystem* msg, const LLUUID& from_id, const LLUUID& session_id)

View File

@ -1382,12 +1382,12 @@ const S32 LLViewerParcelMgr::getAgentParcelId() const
return INVALID_PARCEL_ID;
}
void LLViewerParcelMgr::sendParcelPropertiesUpdate(LLParcel* parcel, bool use_agent_region)
void LLViewerParcelMgr::sendParcelPropertiesUpdate(LLParcel* parcel)
{
if(!parcel)
return;
LLViewerRegion *region = use_agent_region ? gAgent.getRegion() : LLWorld::getInstance()->getRegionFromPosGlobal( mWestSouth );
LLViewerRegion *region = LLWorld::getInstance()->getRegionFromID(parcel->getRegionID());
if (!region)
return;
@ -1749,10 +1749,16 @@ void LLViewerParcelMgr::processParcelProperties(LLMessageSystem *msg, void **use
// Actually extract the data.
if (parcel)
{
// store region_id in the parcel so we can find it again later
LLViewerRegion* parcel_region = LLWorld::getInstance()->getRegion(msg->getSender());
if (parcel_region)
{
parcel->setRegionID(parcel_region->getRegionID());
}
if (local_id == parcel_mgr.mAgentParcel->getLocalID())
{
// Parcels in different regions can have same ids.
LLViewerRegion* parcel_region = LLWorld::getInstance()->getRegion(msg->getSender());
LLViewerRegion* agent_region = gAgent.getRegion();
if (parcel_region && agent_region && parcel_region->getRegionID() == agent_region->getRegionID())
{

View File

@ -233,7 +233,7 @@ public:
// containing the southwest corner of the selection.
// If want_reply_to_update, simulator will send back a ParcelProperties
// message.
void sendParcelPropertiesUpdate(LLParcel* parcel, bool use_agent_region = false);
void sendParcelPropertiesUpdate(LLParcel* parcel);
// Takes an Access List flag, like AL_ACCESS or AL_BAN
void sendParcelAccessListUpdate(U32 which);

View File

@ -3725,6 +3725,10 @@ Hvis du bliver ved med at modtage denne besked, kontakt venligst [SUPPORT_SITE].
<string name="conference-title-incoming">
Konference med [AGENT_NAME]
</string>
<string name="bot_warning">
Du chatter med en bot, [NAME]. Del ikke personlige oplysninger.
Læs mere på https://second.life/scripted-agents.
</string>
<string name="no_session_message">
(IM session eksisterer ikke)
</string>

View File

@ -4916,6 +4916,10 @@ Bitte installieren Sie den Viewer von [DOWNLOAD_URL] erneut und wenden Sie sich
<string name="inventory_folder_offered-im">
Inventarordner „[ITEM_NAME]“ angeboten
</string>
<string name="bot_warning">
Sie chatten mit einem Bot, [NAME]. Geben Sie keine persönlichen Informationen weiter.
Erfahren Sie mehr unter https://second.life/scripted-agents.
</string>
<string name="share_alert">
Objekte aus dem Inventar hier her ziehen
</string>

View File

@ -2232,6 +2232,10 @@ Please reinstall viewer from [DOWNLOAD_URL] and contact [SUPPORT_SITE] if issue
<string name="inventory_item_offered_rlv">
Inventory item offered to [NAME]
</string>
<string name="bot_warning">
You are chatting with a bot, [NAME]. Do not share any personal information.
Learn more at https://second.life/scripted-agents.
</string>
<string name="share_alert">
Drag items from inventory here
</string>

View File

@ -4584,6 +4584,10 @@ Si sigues recibiendo este mensaje, contacta con [SUPPORT_SITE].
<string name="inventory_folder_offered-im">
Carpeta del inventario &apos;[ITEM_NAME]&apos; ofrecida
</string>
<string name="bot_warning">
Estás conversando con un bot, [NAME]. No compartas información personal.
Más información en https://second.life/scripted-agents.
</string
<string name="inventory_item_offered_rlv">
Ofrecido ítem de inventario a [NAME]
</string>

View File

@ -4846,6 +4846,10 @@ Veuillez réinstaller la visionneuse à partir de [DOWNLOAD_URL] et contacter [S
<string name="inventory_folder_offered-im">
Dossier de linventaire [ITEM_NAME] offert
</string>
<string name="bot_warning">
Vous discutez avec un bot, [NAME]. Ne partagez pas dinformations personnelles.
En savoir plus sur https://second.life/scripted-agents.
</string>
<string name="inventory_item_offered_rlv">
Article d'inventaire offert à [NAME]
</string>

View File

@ -4756,6 +4756,10 @@ Reinstallare il browser da [DOWNLOAD_URL] e contattare [SUPPORT_SITE] se il prob
<string name="inventory_folder_offered-im">
Offerta cartella &apos;[ITEM_NAME]&apos; da inventario
</string>
<string name="bot_warning">
Stai parlando con un bot, [NAME]. Non condividere informazioni personali.
Scopri di più su https://second.life/scripted-agents.
</string>
<string name="inventory_item_offered_rlv">
Offerto oggetto da inventario a [NAME]
</string>

View File

@ -4682,6 +4682,10 @@ www.secondlife.com から最新バージョンをダウンロードしてくだ
<string name="inventory_folder_offered-im">
インベントリフォルダー '[ITEM_NAME]' を送りました
</string>
<string name="bot_warning">
[NAME]とチャットしています。個人情報を共有しないでください。
詳細は https://second.life/scripted-agents をご覧ください。
</string>
<string name="share_alert">
インベントリからここにアイテムをドラッグします
</string>

View File

@ -4751,6 +4751,10 @@ Zainstaluj ponownie przeglądarkę z [DOWNLOAD_URL] i skontaktuj się z [SUPPORT
<string name="inventory_item_offered_rlv">
Zaoferowano przedmiot dla [NAME]
</string>
<string name="bot_warning">
Rozmawiasz z botem [NAME]. Nie udostępniaj żadnych danych osobowych.
Dowiedz się więcej na https://second.life/scripted-agents.
</string>
<string name="share_alert">
Przeciągaj tutaj rzeczy z Szafy
</string>

View File

@ -4856,6 +4856,10 @@ https://www.firestormviewer.org/support за помощь в решении эт
<string name="inventory_item_offered_rlv">
Предложен элемент инвентаря [NAME]
</string>
<string name="bot_warning">
Вы общаетесь с ботом [NAME]. Не передавайте личные данные.
Подробнее на https://second.life/scripted-agents.
</string>
<string name="share_alert">
Перетащите элементы из инвентаря сюда
</string>

View File

@ -4579,6 +4579,10 @@ Bu iletiyi almaya devam ederseniz, lütfen [SUPPORT_SITE] bölümüne başvurun.
<string name="inventory_folder_offered-im">
&quot;[ITEM_NAME]&quot; envanter klasörü sunuldu
</string>
<string name="bot_warning">
Bir bot ile sohbet ediyorsunuz, [NAME]. Kişisel bilgilerinizi paylaşmayın.
Daha fazla bilgi için: https://second.life/scripted-agents.
</string>
<string name="share_alert">
Envanterinizden buraya öğeler sürükleyin
</string>

View File

@ -5091,6 +5091,10 @@ support@secondlife.com.
<string name="inventory_item_offered_rlv">
庫存物件已傳送給 [NAME]
</string>
<string name="bot_warning">
您正在与人工智能机器人 [NAME] 聊天。请勿分享任何个人信息。
了解更多https://second.life/scripted-agents。
</string>
<string name="share_alert">
將庫存物件拖拽到這裡
</string>