Quantcast
Channel: Phoenix Firestorm Project - Wiki
Viewing all 5258 articles
Browse latest View live

fs_compiling_firestorm_windows - [Install required development tools]

$
0
0

Firestorm Windows Builds

This page describes all necessary steps to build the Firestorm viewer for Windows, using the updated build infrastructure introduced with Linden Lab's project Alex Ivy.

NOTE: This description is NOT valid for building versions of the viewer prior to the Alex Ivy merge (revision 54609)!

Install required development tools

This is needed for compiling any viewer based on the Linden Lab open source code and only needs to be done once.

All installations are done with default settings (unless told explicitly) - if you change that, you're on your own!

Windows

  • Install Windows 10 Pro 64bit using your own product key
  • Alternatively: Install Windows 7 or 8.1 Pro 64bit

Microsoft Visual Studio 2013 Professional

  • Install Visual Studio 2013 Professional
  • Note: If you don't own a copy of Visual Studio 2013 Professional, you might consider installing the Community version (requires creating a Microsoft account if you do not already have one ) (If the download link for 2013 on visualstudio.com leads to a dead page even after logging in and out and back in again, try Googling “Visual Studio 2013 Community update 5 download” for a direct link. MS has recently changed things with accounts and the free subscriptions.)
    • Run the installer as Administrator (right click, “Run as administrator”)
    • Uncheck all the “Optional features to install:” - they are not required

DirectX SDK

  • Download and install DirectX SDK (June 2010)
    • Run the installer as Administrator (right click, “Run as administrator”)
    • At the Installation Options screen, set everything except the DirectX Headers and Libs to “This feature will not be installed”

Tortoise Hg

  • Download and install TortoiseHg 3.2.3 or newer (64bit)
    • Note: No option available to install as Administrator
    • Use default options (path, components etc.)
    • Add the following directory to your path:
      C:\Program Files\TortoiseHG
    • For newer versions of Tortoise HG it may be necessary to add the following to your mercurial.ini (%USERPROFILE%\mercurial.ini) if you are encountering an unsupported TLS version error:
      [hostsecurity]
      hg.phoenixviewer.com:minimumprotocol=tls1.0
    • If “SSL: CERTIFICATE_VERIFY_FAILED” happens after that, also add this to mercurial.ini:
      [web]
      cacerts = 

CMake

  • Download and install at least CMake 3.4.3 (32bit is only option)
    • Run the installer as Administrator (right click, “Run as administrator”)
    • At the “Install options” screen, select “Add CMake to the system PATH for all users”
    • For everything else, use the default options (path, etc.)
    • Make sure that the following directory was added to your path:
      C:\Program Files (x86)\CMake\bin

Cygwin

  • Download and install Cygwin 64 (64bit)
    • Run the installer as Administrator (right click, “Run as administrator”)
    • Use default options (path, components etc.) *until* you get to the “Select Packages” screen
    • Add additional packages:
      • Devel/patch
    • Use default options for everything else
    • Make sure that the following directory was added to your path.:
      C:\Cygwin64\bin

Python

  • Download and install the most recent version of Python 2.7 (32bit)
    • Linden Lab advises to use the 32bit version as the VMP requires it. However, Firestorm currently doesn't use VMP, so the 64bit version might work (use at own risk!)
    • Note: No option available to install as Administrator
    • Use default options (path, components etc.) until you get to the “Customize Python” screen
    • Change “Add python.exe to Path” to “Will be installed on local hard drive”
    • Add the Python installation dir to the system path:
      C:\Python27

Intermediate check

Confirm things are installed properly so far by opening a Cygwin terminal and enter:

cmake --version
hg --version
python --version

If they all report sensible values and not “Command not found” errors, then you are in good shape.

Set up Autobuild and Python

  • Install Boostrip pip
    • Download (Save As) get-pip.py and copy to a temp folder
    • Open Windows Command Prompt
    • Switch to that temp folder and execute it:
      python get-pip.py
    • Pip will be installed
    • Add the following directory to your path:
      C:\Python27\Scripts
  • Install Autobuild
    • Open Windows Command Prompt and enter:
      pip install hg+http://bitbucket.org/lindenlab/autobuild-1.1#egg=autobuild
    • Autobuild will be installed. Earlier versions of Autobuild could be made to work by just putting the source files into your path correctly; this is no longer true - Autobuild must be installed as described here.
  • Set environment variable AUTOBUILD_VSVER to 120
  • Check Autobuild version to be 1.1.7 or higher:
    autobuild --version

NSIS (Unicode)

  • You must install the Unicode version here and not the one from the NSIS page
  • Not required unless you need to build an actual viewer installer for distribution, or change the NSIS installer package logic itself

Setup viewer build variables

In order to make it easier to build collections of related packages (such as the viewer and all the library packages that it imports) with the same compilation options, Autobuild expects a file of variable definitions. This can be set using the environmenat variable AUTOBUILD_VARIABLES_FILE.

  • Clone the build variables repository:
    hg clone https://hg.phoenixviewer.com/fs-build-variables <path-to-your-variables-file>
  • Set the environment variable AUTOBUILD_VARIABLES_FILE to
    <path-to-your-variables-file>\variables

Configure Visual Studio 2013 (optional)

  • Start the IDE
  • Navigate to Tools> Options> Projects and Solutions> Build and Run and set maximum number of parallel projects builds to 1.

Set up your source code tree

Plan your directory structure ahead of time. If you are going to be producing changes or patches you will be cloning a copy of an unaltered source code tree for every change or patch you make, so you might want to have all this work stored in its own directory. If you are a casual compiler and won't be producing any changes, you can use one directory. For this document, it is assumed that you created a folder c:\firestorm.

c:
cd \firestorm
hg clone https://hg.phoenixviewer.com/phoenix-firestorm-lgpl

This can take a bit, it's a rather large download.

Prepare third party libraries

Most third party libraries needed to build the viewer will be automatically downloaded for you and installed into the build directory within your source tree during compilation. Some need to be manually prepared and are not normally required when using an open source configuration (ReleaseFS_open).

FMOD Studio using Autobuild

Note: This typically needs to only be done once since FMOD Studio rarely changes. FMOD Studio can be downloaded here (requires creating an account to access the download section). Make sure to download the FMOD Studio API and not the FMOD Studio Tool!

c:
cd \firestorm
hg clone https://bitbucket.org/Ansariel/3p-fmodstudio
  • After you have cloned the repository, copy the downloaded FMOD Studio installer file to C:\Firestorm
  • If you downloaded a different version of FMOD Studio that is currently used in the viewer, you will have to modify the file build-cmd.sh in the root of the repository. Right at the top, you find the version number of FMOD Studio you want to package (one short version without separator and one long version). Change these values to the version you downloaded:
FMOD_VERSION="11002"
FMOD_VERSION_PRETTY="1.10.02"

Continue on the Windows command line:

c:
cd \firestorm\3p-fmodstudio
autobuild build --all
autobuild package

While running the Autobuild build command, Windows might ask if you want to allow making changes to the computer. This is because of the FMOD Studio installer being executed. Allow these changes to be made.

Near the end of the output you will see the package name written and the md5 hash below it:

wrote C:\firestorm\3p-fmodstudio\fmodstudio-{version#}-windows-{build_id}.tar.bz2
md5 c3f696412ef74f1559c6d023efe3a087

where {version#} is the version of FMOD Studio (like 1.10.02) and {build_id} is an internal build id of the package.

cd \firestorm\phoenix-firestorm-lgpl
cp autobuild.xml my_autobuild.xml
set AUTOBUILD_CONFIG_FILE=my_autobuild.xml

Copy the FMOD Studio path and md5 value from the package process into this command:

autobuild installables edit fmodstudio platform=windows hash=<md5 value> url=file:///<fmodstudio path>

For example:

autobuild installables edit fmodstudio platform=windows hash=c3f696412ef74f1559c6d023efe3a087 url=file:///C:\firestorm\3p-fmodstudio\fmodstudio-1.10.02-windows-180191431.tar.bz2

Note: Having to copy autobuild.xml and modify the copy from within a cloned repository is a lot of work for every repository you make, but this is the only way to guarantee you pick up upstream changes to autobuild.xml and do not send up a modified autobuild.xml when you do an hg push.

Configuring the viewer

Open the Windows command prompt.

If you are building with FMOD Studio and have followed the previous FMOD Studio setup instructions AND you are now using a new terminal you will need to reset the environment variable first by entering

set AUTOBUILD_CONFIG_FILE=my_autobuild.xml

Then enter:

 c:
 cd \firestorm\phoenix-firestorm-lgpl
 autobuild configure -c ReleaseFS_open

This will configure Firestorm to be built with all defaults and without third party libraries.

Note: Configuring the viewer for the first time will take some time to download all the required third-party libraries. As of Autobuild 1.1, the download progress is hidden by default. If you want to watch the download progress, you can use the verbose option to display a more detailed output:

autobuild configure -v -c ReleaseFS_open

Configuration switches

There are a number of switches you can use to modify the configuration process. The name of each switch is followed by its type and then by the value you want to set.

  • -A <architecture> sets the target architecture, that is if you want to build a 32bit or 64bit viewer (32bit is default if omitted).
  • –fmodstudio controls if the FMOD Studio package is incorporated into the viewer. You must have performed the FMOD Studio installation steps in FMOD Studio using Autobuild for this to work.
  • –package makes sure all files are copied into viewers output directory. You won't be able to start your compiled viewer if you don't enable package or do 'compile' it in VS.
  • –chan <channel name> lets you define a custom channel name for the viewer
  • -LL_TESTS:BOOL=<bool> controls if the tests are compiled and run. There are quite a lot of them so excluding them is recommended unless you have some reason to need one or
    more of them.

TIP: OFF and NO are the same as FALSE; anything else is considered to be TRUE

Examples:

  • To build a 32bit viewer with FMOD Studio and to create an installer package, run this command in the Windows command window:
    autobuild configure -c ReleaseFS_open -- --fmodstudio --package --chan MyViewer -DLL_TESTS:BOOL=FALSE
  • To build a 64bit viewer without FMOD Studio and without installer package, run this command:
    autobuild configure -A 64 -c ReleaseFS_open -- --chan MyViewer -DLL_TESTS:BOOL=FALSE

Building the viewer

There are two ways to build the viewer: Via Windows command line or from within Visual Studio.

Building from the Windows command line

If you are building with FMOD Studio and have followed the previous FMOD Studio setup instructions AND you are now using a new terminal you will need to reset the environment variable with

set AUTOBUILD_CONFIG_FILE=my_autobuild.xml

Then run the Autobuild build command. Make sure you include the same architecture parameter you used while configuring the viewer:

autobuild build -A 64 -c ReleaseFS_open --no-configure

Now, sit back, read War and Peace, calculate PI to 50 places, tour the country, whatever you desire. Compiling will take quite a bit of time.

Building from within Visual Studio

Inside the Firestorm source folder, you will find a folder named build-vc120-<architecture>, with <architecture> either being 32 or 64, depending on what you chose during the configuration step. Inside the folder is the Visual Studio solution file for Firestorm, called Firestorm.sln.

  • Double-click Firestorm.sln to open the Firestorm solution in Visual Studio.
  • From the menu, choose Build → Build Solution
  • Wait until the build is finished

Parallel building of pre Alex Ivy viewers

Older versions of the viewer before the merge of Linden Lab's project Alex Ivy use Autobuild 1.0 that is incompatible with the build process as it is now. By default it is not possible to install two different versions of Autobuild on the same computer at the same time. Making use of virtualenv will overcome this problem, allowing simultaneous installations of Autobuild 1.0 and Autobuild 1.1 in two distinct “virtual” Python environments.

Install virtualenv

Install virtualenv by opening a Windows command prompt and enter:

pip install virtualenv

This requires the Boostrip pip already installed. After virtualenv has been installed, you can create virtual Python environments using the command

virtualenv <virtual-environment-name>

This will create the directory <virtual-environment-name> within the Python installation folder and add some required folders and files. Among these files is a batch file called activate.bat in the folder Scripts. To switch to the newly created virtual environment execute the activate.bat batch file. After switching to the virtual environment, your command prompt will be prepended by the name of the virtual environment.

In this example we will create a virtual environment called “Autobuild11”:

virtualenv Autobuild11
c:\Python27\Autobuild11\Scripts\Activate.bat

Your command prompt should look like this now:

(Autobuild11) C:\

After you switched to a particular virtual environment, you can now install as described in Set up Autobuild and Python.

Complete example:

virtualenv Autobuild11
c:\Python27\Autobuild11\Scripts\Activate.bat
pip install hg+http://bitbucket.org/lindenlab/autobuild-1.1#egg=autobuild

Configuring and building the viewer

Configuring and building the viewer from the Windows command line is basically identical as described in Building from the Windows command line with the difference that you now have to call the activate script first:

c:
\Python27\Autobuild11\Scripts\Activate.bat
cd \firestorm\phoenix-firestorm-lgpl
autobuild configure -c ReleaseFS_open -- --fmodstudio --package --chan MyViewer -DLL_TESTS:BOOL=FALSE
autobuild build -A 64 -c ReleaseFS_open --no-configure

If you plan to build the viewer from within Visual Studio, you will have to configure the viewer the same way as if you were to build from the Windows command line:

c:
\Python27\Autobuild11\Scripts\Activate.bat
cd \firestorm\phoenix-firestorm-lgpl
autobuild configure -c ReleaseFS_open -- --fmodstudio --package --chan MyViewer -DLL_TESTS:BOOL=FALSE

To be able to build from Visual Studio, you will have to set a Windows environment variable called VIRTUAL_ENV pointing at the virtual Python environment to use, in our example “C:\Python27\Autobuild11”. Now open the Firestorm Visual Studio solution to start Visual Studio and build the viewer.

NOTE: Setting the VIRTUAL_ENV environment variable only has an effect if building a version greater or equal than 53671! If you plan to build older versions of Firestorm, it is advised to install Autobuild 1.0 as the default Autobuild version and create a virtual environment for Autobuild 1.1!


debug_settings

$
0
0

Debug Settings

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11

Debug settings are accessed, in Firestorm, from the Advanced menu. If you cannot see this menu in the menu bar, press Ctrl-Alt-D. Alternately, you can bring up debug settings by pressing Ctrl-Alt-Shift-S.

Use the nav bar above to view the debug settings per category.

fs_debug_global

$
0
0

Firestorm Debug Settings - Global A to L

Global settings affect all accounts logging in with the viewer.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11

A

Setting Default Description
AFKTimeout 0 Time before automatically setting AFK (away from keyboard) mode (seconds, 0=never). Valid values are: 0, 120, 300, 600, 1800, 3600, 5400, 7200
AbuseReportScreenshotDelay 0.3 Time delay before taking screenshot to avoid UI artifacts.
AckCollectTime 0.1 Ack messages collection and grouping time
ActiveFloaterTransparency 1.0 Transparency of active floaters (floaters that have focus)
AdminMenu 0 Enable the debug admin menu from the main menu. Note: This will just allow the menu to be shown; this does not grant admin privileges.
AdvanceOutfitSnapshot 1 Display advanced parameter settings in outfit snaphot interface
AdvanceSnapshot 1 Display advanced parameter settings in snapshot interface
AgentPause 0 Ask the simulator to stop updating the agent while enabled
AlertChannelUUID F3E07BC8-A973-476D-8C7F-F3B7293975D1
AlertedUnsupportedHardware 0 Set if there's unsupported hardware and we've already done a notification.
AllowMUpose 0 Allow MU* pose style in chat and IM (with ':' as a synonymous to '/me ')
AllowMultipleViewers 1 Allow multiple viewers.
AllowNoCopyRezRestoreToWorld 0 Allow Restore to Last Position for no-copy objects on Second Life grids. This can lead to content loss, and is only meant to be used for testing a potential server side fix.
AllowTapTapHoldRun 1 Tapping a direction key twice and holding it down makes avatar run
AlwaysRenderFriends 0 Always render friends regardless of max complexity
AnalyzePerformance 0 Request performance analysis for a particular viewer run
AnimateTextures 1 Enable texture animation (debug)
AnimationDebug 0 Show active animations in a bubble above avatars head
AppearanceCameraMovement 1 When entering appearance editing mode, camera zooms in on currently selected portion of avatar
ApplyColorImmediately 1 Preview selections in color picker immediately
ArrowKeysAlwaysMove 0 While cursor is in chat entry box, arrow keys still control your avatar
AskedAboutCrashReports 1 Turns off dialog asking if you want to enable crash reporting
AssetFetchConcurrency 0 Maximum number of HTTP connections used for asset fetches
AssetStorageLogFrequency 60.0 Seconds between display of AssetStorage info in log (0 for never)
AuctionShowFence 1 When auctioning land, include parcel boundary marker in snapshot
AudioLevelAmbient 0.5 Audio level of environment sounds
AudioLevelDoppler 1.0 Scale of Doppler effect on moving audio sources (1.0 = normal, <1.0 = diminished Doppler effect, >1.0 = enhanced Doppler effect)
AudioLevelMaster 1.0 Master audio level, or overall volume
AudioLevelMedia 0.3 Audio level of QuickTime movies
AudioLevelMic 1.0 Audio level of microphone input
AudioLevelMusic 0.3 Audio level of streaming music
AudioLevelRolloff 1.0 Controls the distance-based dropoff of audio volume (fraction or multiple of default audio rolloff)
AudioLevelSFX 0.5 Audio level of in-world sound effects
AudioLevelUI 0.5 Audio level of UI sound effects
AudioLevelUnderwaterRolloff 5.0 Controls the distance-based dropoff of audio volume underwater(fraction or multiple of default audio rolloff)
AudioLevelVoice 0.7 Audio level of voice chat
AudioLevelWind 0.0 Audio level of wind noise when standing still
AudioStreamingMedia 1 Enable streaming
AudioStreamingMusic 1 Enable streaming audio
AutoAcceptNewInventory 0 Automatically accept new notecards/textures/landmarks
AutoCloseOOC 0 Auto-close OOC chat (i.e. add “))” if not found and “((” was used)
AutoDisengageMic 1 Automatically turn off the microphone when ending IM calls.
AutoLeveling 1 Keep Flycam level.
AutoLoadWebProfiles 0 Automatically load ALL profile webpages without asking first.
AutoLogin 0 Login automatically using last username/password combination
AutoMimeDiscovery 0 Enable viewer mime type discovery of media URLs
AutoPilotLocksCamera 0 Keep camera position locked when avatar walks to selected position
AutoQueryGridStatus 0 Query status.secondlifegrid.net for latest news at login.
AutoQueryGridStatusURL LinkURL for AutoQueryGridStatus. WordPress RSS 2.0 format.
AutoReplace 0 Replaces keywords with a configured word or phrase
AutoSnapshot 0 Update snapshot when camera stops moving, or any parameter changes
AutohideChatBar 0 Hide the chat bar from the bottom button bar and only show it as an overlay when needed.
AutomaticFly 1 Fly by holding jump key or using “Fly” command (FALSE = fly by using “Fly” command only)
AvalinePhoneSeparator - Separator of phone parts to have Avaline numbers human readable in Voice Control Panel
AvatarAxisDeadZone0 0.1 Avatar axis 0 dead zone.
AvatarAxisDeadZone1 0.1 Avatar axis 1 dead zone.
AvatarAxisDeadZone2 0.1 Avatar axis 2 dead zone.
AvatarAxisDeadZone3 0.1 Avatar axis 3 dead zone.
AvatarAxisDeadZone4 0.1 Avatar axis 4 dead zone.
AvatarAxisDeadZone5 0.1 Avatar axis 5 dead zone.
AvatarAxisScale0 1.0 Avatar axis 0 scaler.
AvatarAxisScale1 1.0 Avatar axis 1 scaler.
AvatarAxisScale2 1.0 Avatar axis 2 scaler.
AvatarAxisScale3 1.0 Avatar axis 3 scaler.
AvatarAxisScale4 1.0 Avatar axis 4 scaler.
AvatarAxisScale5 1.0 Avatar axis 5 scaler.
AvatarBacklight 1 Add rim lighting to avatar rendering to approximate shininess of skin
AvatarBakedLocalTextureUpdateTimeout 10 Specifes the maximum time in seconds to wait before updating your appearance during appearance mode.
AvatarBakedTextureUploadTimeout 70 Specifies the maximum time in seconds to wait before sending your baked textures for avatar appearance. Set to 0 to disable and wait until all baked textures are at highest resolution.
AvatarFeathering 16.0 Avatar feathering (less is softer)
AvatarInspectorTooltipDelay 0.35 Seconds before displaying avatar inspector tooltip
AvatarNameTagMode 1 Select Avatar Name Tag Mode
AvatarPhysics 1 Enable avatar physics.
AvatarPickerSortOrder 2 Specifies sort key for textures in avatar picker (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
AvatarPickerURL LinkAvatar picker contents
AvatarPosFinalOffset 0.0, 0.0, 0.0 After-everything-else fixup for avatar position.
AvatarRotateThresholdFast 2 Angle between avatar facing and camera facing at which avatar turns to face same direction as camera, when moving fast (degrees)
AvatarRotateThresholdSlow 60 Angle between avatar facing and camera facing at which avatar turns to face same direction as camera, when moving slowly (degrees)
AvatarSex 0
AvatarSitOnAway 0 Sit down when marked AFK
always_showable_floaters snapshot, postcard, mini_map, fs_nearby_chat, fs_im_container, inventory, beacons, avatar_picker, stats, script_floater, world_map, preferences, facebook, flickr, twitter Floaters that can be shown despite mouselook mode

B

Setting Default Description
BackgroundYieldTime 40 Amount of time to yield every frame to other applications when SL is not the foreground window (milliseconds)
BingTranslateAPIKey Bing AppID to use with the Microsoft Translator API
BlockAvatarAppearanceMessages 0 Ignores appearance messages (for simulating Ruth)
BlockPeopleSortOrder 0 Specifies sort order for recent people (0 = by name, 1 = by type)
BlockSomeAvatarAppearanceVisualParams 0 Drop around 50% of VisualParam occurrences in appearance messages (for simulating Ruth)
BrowserEnableJSObject 0 (WARNING: Advanced feature. Use if you are aware of the implications). Enable or disable the viewer to Javascript bridge object.
BrowserHomePage http://www.secondlife.com[NOT USED]
BrowserIgnoreSSLCertErrors 0 FOR TESTING ONLY: Tell the built-in web browser to ignore SSL cert errors.
BrowserJavascriptEnabled 1 Enable JavaScript in the built-in Web browser?
BrowserPluginsEnabled 1 Enable Web plugins in the built-in Web browser?
BrowserProxyAddress Address for the Web Proxy]
BrowserProxyEnabled 0 Use Web Proxy
BrowserProxyExclusions [NOT USED]
BrowserProxyPort 3128 Port for Web Proxy
BrowserProxySocks45 5 [NOT USED]
BuildAxisDeadZone0 0.1 Build axis 0 dead zone.
BuildAxisDeadZone1 0.1 Build axis 1 dead zone.
BuildAxisDeadZone2 0.1 Build axis 2 dead zone.
BuildAxisDeadZone3 0.1 Build axis 3 dead zone.
BuildAxisDeadZone4 0.1 Build axis 4 dead zone.
BuildAxisDeadZone5 0.1 Build axis 5 dead zone.
BuildAxisScale0 1.0 Build axis 0 scaler.
BuildAxisScale1 1.0 Build axis 1 scaler.
BuildAxisScale2 1.0 Build axis 2 scaler.
BuildAxisScale3 1.0 Build axis 3 scaler.
BuildAxisScale4 1.0 Build axis 4 scaler.
BuildAxisScale5 1.0 Build axis 5 scaler.
BuildFeathering 16.0 Build feathering (less is softer)
BulkChangeEveryoneCopy 0 Bulk changed objects can be copied by everyone
BulkChangeIncludeAnimations 1 Bulk permission changes affect animations
BulkChangeIncludeBodyParts 1 Bulk permission changes affect body parts
BulkChangeIncludeClothing 1 Bulk permission changes affect clothing
BulkChangeIncludeGestures 1 Bulk permission changes affect gestures
BulkChangeIncludeNotecards 1 Bulk permission changes affect notecards
BulkChangeIncludeObjects 1 Bulk permission changes affect objects
BulkChangeIncludeScripts 1 Bulk permission changes affect scripts
BulkChangeIncludeSounds 1 Bulk permission changes affect sounds
BulkChangeIncludeTextures 1 Bulk permission changes affect textures
BulkChangeNextOwnerCopy 0 Bulk changed objects can be copied by next owner
BulkChangeNextOwnerModify 0 Bulk changed objects can be modified by next owner
BulkChangeNextOwnerTransfer 1 Bulk changed objects can be resold or given away by next owner
BulkChangeShareWithGroup 0 Bulk changed objects are shared with the currently active group
ButtonHPad 4 Default horizontal spacing between buttons (pixels)
ButtonHeight 23 Default height for normal buttons (pixels)
ButtonHeightSmall 23 Default height for small buttons (pixels)

C

Setting Default Description
CacheLocation Controls the location of the local disk cache
CacheLocationTopFolder Controls the top folder location of the local disk cache
CacheNumberOfRegionsForObjects 128 Controls number of regions to be cached for objects.
CacheSize 2048 Controls amount of hard drive space reserved for local file caching in MB
CacheValidateCounter 0 Used to distribute cache validation
CallLogSortOrder 1 Specifies sort order for Call Log (0 = by name, 1 = by date)
CameraAngle 1.047197551 Camera field of view angle (Radians)
CameraDoFResScale 0.7 Amount to scale down depth of field resolution. Valid range is 0.25 (quarter res) to 1.0 (full res)
CameraFNumber 9.0 Camera f-number value for DoF effect
CameraFieldOfView 60.0 Vertical camera field of view for DoF effect (in degrees)
CameraFocalLength 50 Camera focal length for DoF effect (in millimeters)
CameraFocusTransitionTime 0.5 How many seconds it takes the camera to transition between focal distances
CameraMaxCoF 10.0 Maximum camera circle of confusion for DoF effect
CameraMouseWheelZoom 5 Camera zooms in and out with mouse wheel
CameraOffset 0 Render with camera offset from view frustum (rendering debug)
CameraOffsetBuild -6.0, 0.0, 6.0 Default camera position relative to focus point when entering build mode
CameraOffsetFrontView 2.2, 0.0, 0.0 Initial camera offset from avatar in Front View
CameraOffsetGroupView -1.0, 0.7, 0.5 Initial camera offset from avatar in Group View
CameraOffsetRearView -3.0, 0.0, 0.75 Initial camera offset from avatar in Rear View
CameraOffsetScale 1.0 Scales the default offset
CameraPosOnLogout 0.0, 0.0, 0.0 Camera position when last logged out (global coordinates)
CameraPositionSmoothing 1.0 Smooths camera position over time
CameraPreset 0 Preset camera position - view (0 - rear, 1 - front, 2 - group)
CameraZoomDistance 2.5 Camera distance to the zoomed in avatar
CameraZoomEyeZOffset 1.0 Camera height offset of the camera itself on the zoomed in avatar from avatar center
CameraZoomFocusZOffset 0.6 Camera height offset of zoomed point on the zoomed in avatar from avatar center
CefVerboseLog 0 Enable/disable CEF verbose loggingk
CertStore default Specifies the Certificate Store for certificate trust verification
ChannelBottomPanelMargin 35 Space from a lower toast to the Bottom Tray
ChatAutocompleteGestures 1 Auto-complete gestures in nearby chat
ChatBarCustomWidth 0 Stores customized width of chat bar.
ChatBarStealsFocus 1 Whenever keyboard focus is removed from the UI, and the chat bar is visible, the chat bar takes focus
ChatBubbleOpacity 0.5 Opacity of chat bubble background (0.0 = completely transparent, 1.0 = completely opaque)
ChatConsoleFontSize 2 Size of chat text in chat console (0 to 3, small to huge)
ChatFontSize 1 Size of chat text in chat floater (0 to 3, small to huge)
ChatFullWidth 1 Chat console takes up full width of SL window
ChatHistoryTornOff 0 Show chat transcript window separately from Communicate window.
ChatLoadGroupMaxMembers 100 Max number of active members we'll show up for an unresponsive group
ChatLoadGroupTimeout 10.0 Time we give the server to send group participants before we hit the server for group info (seconds)
ChatOnlineNotification 1 Provide notifications for when friend log on and off of SL
ChatPersistTime 20.0 Time for which chat stays visible in console (seconds)
ChatShowTimestamps 1 Show timestamps in chat
ChatTabDirection 1 Toggles the direction of chat tabs between horizontal and vertical
CheesyBeacon 0 Enable cheesy beacon effects
ClickActionBuyEnabled 1 Enable click to buy actions in tool pie menu
ClickActionPayEnabled 1 Enable click to pay actions in tool pie menu
ClickOnAvatarKeepsCamera 0 Normally, clicking on your avatar resets the camera position. This option removes this behavior.
ClickToWalk 0 Click in world to walk to location
ClientSettingsFile Client settings file name (per install).
CloseChatOnEmptyReturn Close the chat transcript floater after hitting return on an empty line
CloseChatOnReturn 0 Close chat after hitting return
CloseIMOnEmptyReturn Close the IM floater after hitting return on an empty line
ClothingLoadingDelay 10.0 Time to wait for avatar appearance to resolve before showing world (seconds)
CmdLineChannel Command line specified channel name
CmdLineDisableVoice 0 Disable Voice.
CmdLineGridChoice The user's grid choice or ip address.
CmdLineHelperURI Command line specified helper web CGI prefix to use.
CmdLineLoginLocation Startup destination requested on command line
CmdLineLoginURI Command line specified login server and CGI prefix to use.
CmdLineLoginURI1 Command line specified login server and CGI prefix to use.
CmdLineUpdateService Override the url base for the update query.
ComplexityChangesPopUpDelay 300 Delay before viewer will show avatar complexity notice again
ConnectAsGod 0 Log in as god if you have god access.
ConnectionPort 13000 Custom connection port number
ConnectionPortEnabled 0 Use the custom connection port?
ConsoleBackgroundOpacity 0.500 Opacity of chat console (0.0 = completely transparent, 1.0 = completely opaque)
ConsoleBufferSize 40 Size of chat console transcript (lines of chat)
ConsoleMaxLines 40 Max number of lines of chat text visible in console.
ContactsTornOff 0 Show contacts window separately from Communicate window.
ContextConeFadeTime .08 Cone Fade Time
ContextConeInAlpha 0.0 Cone In Alpha
ContextConeOutAlpha 1.0 Cone Out Alpha
ConversationHistoryPageSize 100 Chat transcript of conversation opened from call log is displayed by pages. So this is number of entries per page.
ConversationSortOrder 131073 Specifies sort key for conversations
CookiesEnabled 1 Accept cookies from Web sites?
CoroutineStackSize 524288 Size (in bytes) for each coroutine stack
CrashHostUrl LinkA URL pointing to a crash report handler; overrides cluster negotiation to locate crash handler.
CrashOnStartup 0 User-requested crash on viewer startup
CrashSettingsFile Crash settings file name (per install).
CreateToolCopyCenters 1
CreateToolCopyRotates 0
CreateToolCopySelection 0
CreateToolKeepSelected 0 After using create tool, keep the create tool active
CurlMaximumNumberOfHandles 256 Maximum number of handles curl can use (requires restart)
CurlRequestTimeOut 120.0 Max idle time of a curl request before killed (requires restart)
CurlUseMultipleThreads 1 Use background threads for executing curl_multi_perform (requires restart)
CurrentGrid Currently Selected Grid
CurrentMapServerURL Current Session World map URL
Cursor3D 1 Treat Joystick values as absolute positions (not deltas).
CustomServer Specifies IP address or hostname of grid to which you connect

D

Setting Default Description
DAEExportConsolidateMaterials 1 Combine faces with same texture
DAEExportSkipTransparent 0 Skip exporting faces with default transparent texture or full transparent
DAEExportTextureParams 1 Apply texture params suchs as repeats to the exported UV map
DAEExportTextures 1 Export textures when exporting Collada
DAEExportTexturesFormat 0 Image file format to use when exporting Collada
DayCycleName Default Day cycle to use. May be superseded by region settings.
DebugAvatarAppearanceMessage 0 Dump a bunch of XML files when handling appearance messages
DebugAvatarAppearanceServiceURLOverride URL to use for baked texture requests; overrides value returned by login server.
DebugAvatarCompositeBaked 0 Colorize avatar meshes based on baked/composite state.
DebugAvatarExperimentalServerAppearanceUpdate 0 Experiment with sending full cof_contents instead of cof_version
DebugAvatarJoints List of joints to emit additional debugging info about.
DebugAvatarLocalTexLoadedTime 1 Display time for loading avatar local textures.
DebugAvatarRezTime 0 Display times for avatars to resolve.
DebugBeaconLineWidth 1 Size of lines for Debug Beacons
DebugForceAppearanceRequestFailure 0 Request wrong cof version to test the failure path for server appearance update requests.
DebugHideEmptySystemFolders 0 Hide empty system folders when on
DebugInventoryFilters 0 Turn on debugging display for inventory filtering
DebugLookAtShowNames 1 Show names with DebugLookAt. 0) None, 1) “Display Name (user.name)”, 2) “Display Name”, 3) Legacy “First Last”, 4) “user.name”
DebugPermissions 0 Log permissions for selected inventory items
DebugPluginDisableTimeout 0 Disable the code which watches for plugins that are crashed or hung
DebugRenderHitboxes 0 Renders the avatars' hitboxes (collision areas) which are unaffected by viewer side animations.
DebugSearch 0 If TRUE use search url as given in SearchURLDebug
DebugSession 0 Request debugging for a particular viewer session
DebugShowAvatarRenderInfo 0 Show avatar render cost information
DebugShowColor 0 Show color under cursor
DebugShowMemory 0 Show Total Allocated Memory
DebugShowPrivateMem 0 Show Private Mem Info
DebugShowRenderInfo 0 Show stats about current scene
DebugShowRenderMatrices 0 Display values of current view and projection matrices.
DebugShowTextureInfo 0 Show interested texture info
DebugShowTime 0 Show time info
DebugShowXUINames 0 Show tooltips with XUI path to widget
DebugSlshareLogTag Request slshare-service debug logging
DebugStatModeActualIn -1 Mode of stat in Statistics floater
DebugStatModeActualOut -1 Mode of stat in Statistics floater
DebugStatModeAgentUpdatesSec -1 Mode of stat in Statistics floater
DebugStatModeAsset -1 Mode of stat in Statistics floater
DebugStatModeBandwidth -1 Mode of stat in Statistics floater
DebugStatModeBoundMem -1 Mode of stat in Statistics floater
DebugStatModeCachedObjs -1 Mode of stat in Statistics floater
DebugStatModeChildAgents -1 Mode of stat in Statistics floater
DebugStatModeFPS -1 Mode of stat in Statistics floater
DebugStatModeFormattedMem -1 Mode of stat in Statistics floater
DebugStatModeGLMem -1 Mode of stat in Statistics floater
DebugStatModeKTrisDrawnFr -1 Mode of stat in Statistics floater
DebugStatModeKTrisDrawnSec -1 Mode of stat in Statistics floater
DebugStatModeLayers -1 Mode of stat in Statistics floater
DebugStatModeLowLODObjects -1 Mode of stat in Statistics floater
DebugStatModeMainAgents -1 Mode of stat in Statistics floater
DebugStatModeMemDrawInfo -1 Mode of stat in Statistics floater
DebugStatModeMemDrawable -1 Mode of stat in Statistics floater
DebugStatModeMemFaceData -1 Mode of stat in Statistics floater
DebugStatModeMemFonts -1 Mode of stat in Statistics floater
DebugStatModeMemGLImageData -1 Mode of stat in Statistics floater
DebugStatModeMemImageData -1 Mode of stat in Statistics floater
DebugStatModeMemInventory -1 Mode of stat in Statistics floater
DebugStatModeMemObjectCache -1 Mode of stat in Statistics floater
DebugStatModeMemObjects -1 Mode of stat in Statistics floater
DebugStatModeMemOctreeData -1 Mode of stat in Statistics floater
DebugStatModeMemOctreeGroupData -1 Mode of stat in Statistics floater
DebugStatModeMemTextureData -1 Mode of stat in Statistics floater
DebugStatModeMemTrace -1 Mode of stat in Statistics floater
DebugStatModeMemUI -1 Mode of stat in Statistics floater
DebugStatModeMemVertexBuffer -1 Mode of stat in Statistics floater
DebugStatModeMemoryAllocated -1 Mode of stat in Statistics floater
DebugStatModeNewObjs -1 Mode of stat in Statistics floater
DebugStatModeObjOccluded -1 Mode of stat in Statistics floater
DebugStatModeObjUnoccluded -1 Mode of stat in Statistics floater
DebugStatModeObjects -1 Mode of stat in Statistics floater
DebugStatModeOcclusionQueries -1 Mode of stat in Statistics floater
DebugStatModePTBandwidth -1 Mode of stat in Statistics floater
DebugStatModePTFPS -1 Mode of stat in Statistics floater
DebugStatModePTKTrisDrawnFr -1 Mode of stat in Statistics floater
DebugStatModePTKTrisDrawnSec -1 Mode of stat in Statistics floater
DebugStatModePTNewObjs -1 Mode of stat in Statistics floater
DebugStatModePTTextureCount -1 Mode of stat in Statistics floater
DebugStatModePTTotalObjs -1 Mode of stat in Statistics floater
DebugStatModePacketLoss -1 Mode of stat in Statistics floater
DebugStatModePacketsIn -1 Mode of stat in Statistics floater
DebugStatModePacketsOut -1 Mode of stat in Statistics floater
DebugStatModePhysicsFPS -1 Mode of stat in Statistics floater
DebugStatModePingSim -1 Mode of stat in Statistics floater
DebugStatModePinnedObjects -1 Mode of stat in Statistics floater
DebugStatModeRawCount -1 Mode of stat in Statistics floater
DebugStatModeRawMem -1 Mode of stat in Statistics floater
DebugStatModeSimActiveObjects -1 Mode of stat in Statistics floater
DebugStatModeSimActiveScripts -1 Mode of stat in Statistics floater
DebugStatModeSimAgentMsec -1 Mode of stat in Statistics floater
DebugStatModeSimFPS -1 Mode of stat in Statistics floater
DebugStatModeSimFrameMsec -1 Mode of stat in Statistics floater
DebugStatModeSimImagesMsec -1 Mode of stat in Statistics floater
DebugStatModeSimInPPS -1 Mode of stat in Statistics floater
DebugStatModeSimNetMsec -1 Mode of stat in Statistics floater
DebugStatModeSimObjects -1 Mode of stat in Statistics floater
DebugStatModeSimOutPPS -1 Mode of stat in Statistics floater
DebugStatModeSimPCTScriptsRun -1 Mode of stat in Statistics floater
DebugStatModeSimPendingDownloads -1 Mode of stat in Statistics floater
DebugStatModeSimPendingUploads -1 Mode of stat in Statistics floater
DebugStatModeSimPumpIOMsec -1 Mode of stat in Statistics floater
DebugStatModeSimScriptEvents -1 Mode of stat in Statistics floater
DebugStatModeSimScriptMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimAIStepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimOtherMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPCTSteppedCharacters -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsOtherMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsShapeUpdateMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsStepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimSkippedSilhouettSteps -1 Mode of stat in Statistics floater
DebugStatModeSimSleepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSpareMsec -1 Mode of stat in Statistics floater
DebugStatModeSimTotalUnackedBytes -1 Mode of stat in Statistics floater
DebugStatModeTexture -1 Mode of stat in Statistics floater
DebugStatModeTextureCount -1 Mode of stat in Statistics floater
DebugStatModeTimeDialation -1 Mode of stat in Statistics floater
DebugStatModeTotalObjs -1 Mode of stat in Statistics floater
DebugStatModeVFSPendingOps -1 Mode of stat in Statistics floater
DebugStatObjCacheMiss -1 Mode of stat in Statistics floater
DebugStatTextureCacheHits -1 Mode of stat in Statistics floater
DebugStatTextureCacheReadLatency -1 Mode of stat in Statistics floater
DebugViews 0 Display debugging info for views.
DebugWindowProc 0 Log windows messages
DefaultBlankNormalTexture 5b53359e-59dd-d8a2-04c3-9e65134da47a Texture used as 'Blank' in texture picker for normal maps. (UUID texture reference)
DefaultFemaleAvatar Female Shape & Outfit Default Female Avatar
DefaultLoginLocation Startup destination default (if not specified on command line)
DefaultMaleAvatar Male Shape & Outfit Default Male Avatar
DefaultObjectNormalTexture 85f28839-7a1c-b4e3-d71d-967792970a7b Texture used as 'Default' in texture picker for normal map. (UUID texture reference)
DefaultObjectSpecularTexture 87e0e8f7-8729-1ea8-cfc9-8915773009db Texture used as 'Default' in texture picker for specular map. (UUID texture reference)
DefaultObjectTexture 89556747-24cb-43ed-920b-47caed15465f Texture used as 'Default' in texture picker. (UUID texture reference)
DefaultUploadCost 10 Default sound/image/file upload cost(in case economy data is not available).
DefaultUploadPermissionsConverted 0 Default upload permissions have been converted to default creation permissions
DestinationGuideHintTimeout 1200.0 Number of seconds to wait before telling resident about destination guide.
DestinationGuideURL LinkDestination guide contents
DialogStackIconVisible 0 Internal, volatile control that defines if the dialog stack browser icon is visible.
DisableAllRenderFeatures 0 Disables all rendering features.
DisableAllRenderTypes 0 Disables all rendering types.
DisableCameraConstraints 0 Disable the normal bounds put on the camera by avatar position
DisableCrashLogger 0 Do not send crash report to Linden server
DisableExternalBrowser 0 Disable opening an external browser.
DisableMouseWarp 0 Disable warping of the mouse to the center of the screen during alt-zoom and mouse look. Useful with certain input devices, mouse sharing programs like Synergy, or running under Parallels.
DisablePrecacheDelayAfterTeleporting 0 Disables the artificial delay in the viewer that precaches some incoming assets
DisableTextHyperlinkActions 0 Disable highlighting and linking of URLs in XUI text boxes
DisableVerticalSync 1 Update frames as fast as possible (FALSE = update frames between display scans)
DisplayAvatarAgentTarget 0 Show avatar positioning locators (animation debug)
DisplayChat 1 Display Latest Chat message on LCD
DisplayDebug 1 Display Network Information on LCD
DisplayDebugConsole 1 Display Console Debug Information on LCD
DisplayIM 1 Display Latest IM message on LCD
DisplayLinden 1 Display Account Information on LCD
DisplayRegion 1 Display Location information on LCD
DisplayTimecode 0 Display time code on screen
Disregard128DefaultDrawDistance 1 Whether to use the auto default to 128 draw distance
Disregard96DefaultDrawDistance 1 Whether to use the auto default to 96 draw distance
DoubleClickAutoPilot 0 Enable double-click auto pilot
DoubleClickShowWorldMap 1 Enable double-click to show world map from mini map
DoubleClickTeleport 0 Enable double-click to teleport where allowed
DragAndDropCommitDelay 0.5 Seconds before committing when hovering over a button while performing a drag and drop operation
DragAndDropDistanceThreshold 3 Number of pixels that mouse should move before triggering drag and drop mode
DragAndDropToolTipDelay 0.10000000149 Seconds before displaying tooltip when performing drag and drop operation
DropShadowButton 2 Drop shadow width for buttons (pixels)
DropShadowFloater 5 Drop shadow width for floaters (pixels)
DropShadowSlider 3 Drop shadow width for sliders (pixels)
DropShadowTooltip 4 Drop shadow width for tooltips (pixels)
DumpVFSCaches 0 Dump VFS caches on startup.
DynamicCameraStrength 2.0 Amount camera lags behind avatar motion (0 = none, 30 = avatar velocity)

E

Setting Default Description
EditAppearanceLighting 1 Enable or disable the additional lighting used while editing avatar appearance.
EditCameraMovement 0 When entering build mode, camera moves up above avatar
EditLinkedParts 0 Select individual parts of linked objects
EffectScriptChatParticles 1 1 = normal behavior, 0 = disable display of swirling lights when scripts communicate
EmbeddedLandmarkCopyToInventory 1 Copies an embedded landmark to inventory before previewing it
EmbeddedTextureStealsFocus 1 Embedded texture preview will receive focus when opened
EmotesUseItalic 0 Chat emotes are emphasized by using italic font style.
EnableAltZoom 1 Use Alt+mouse to look at and zoom in on objects
EnableAppearance 1 Enable opening appearance from web link
EnableAvatarPay 1 Enable paying other avatars from web link
EnableAvatarShare 1 Enable sharing from web link
EnableButtonFlashing 1 Allow UI to flash buttons to get your attention
EnableClassifieds 1 Enable creation of new classified ads from web link
EnableGestureSounds 1 Play sounds from gestures
EnableGrab 0 Use Ctrl+mouse to grab and manipulate objects
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableGroupInfo 1 Enable viewing and editing of group info from web link
EnableIMChatPopups 1 Enable Incoming IM Chat Popups
EnableInventory 1 Enable opening inventory from web link
EnableMouselook 1 Allow first person perspective and mouse control of camera
EnablePicks 1 Enable editing of picks from web link
EnablePlaceProfile 1 Enable viewing of place profile from web link
EnableSearch 1 Enable opening search from web link
EnableUIHints 0 Toggles UI hint popups
EnableVisualLeakDetector 0 EnableVisualLeakDetector
EnableVoiceCall 1 Enable voice calls from web link
EnableVoiceChat 1 Enable talking to other residents with a microphone
EnableWorldMap 1 Enable opening world map from web link
EnergyFromTop 20
EnergyHeight 40
EnergyWidth 175
EnvironmentPersistAcrossLogin 1 Keep Environment settings consistent across sessions
EventURL LinkURL for Event website, displayed in the event floater
EveryoneCopy 0 (obsolete) Everyone can copy the newly created objects
ExodusLookAtLines 0 Render lines for LookAt focus points.
ExodusMouselookIFF 0 Draw tracking markers in mouselook for people in range if combat features are enabled
ExodusMouselookIFFRange 380.0 Draw tracking markers in mouselook for people in range if combat features are enabled
ExodusMouselookTextHAlign 2 Text alignment for target information text in mouselook if combat features are enabled
ExodusMouselookTextOffsetX 0.0 Text X offset for target information text in mouselook if combat features are enabled
ExodusMouselookTextOffsetY -150.0 Text Y offset for target information text in mouselook if combat features are enabled
ExternalEditor Path to program used to edit LSL scripts and XUI files, e.g.: /usr/bin/gedit –new-window “%s”
ExternalEditorConvertTabsToSpaces 1 If enabled, the script sent to the viewer from an external editor will automatically have all tabs being replaced by the default number of spaces (usually 4).

F

Setting Default Description
FMODDecodeBufferSize 1000 Sets the streaming decode buffer size (in milliseconds)
FMODProfilerEnable 0 Enable profiler tool if using FMOD
FMODResampleMethod 0 Sets the method used for internal resampler 0(Linear), 1(Cubic), 2(Spline)
FMODStreamBufferSize 7000 Sets the streaming buffer size (in milliseconds)
FPSLogFrequency 10.0 Seconds between display of FPS in log (0 for never)
FSATIFullTextureMem 0 Don't reduce ATI card texture memory automatically (EXPERIMENTAL)
FSAdvancedTooltips 1 Show extended information in hovertips about objects (classic Phoenix style)
FSAdvancedWorldmapRegionInfo 1 Shows additional region infos on the world map (agent count and maturity level)
FSAlwaysFly 0 Fly Override, for no-fly zones. Must be activated each time.
FSAlwaysOpaqueCameraControls 0 Show Camera Controls always opaque
FSAlwaysShowInboxButton 0 If enabled, the Received Items folder aka Inbox is always shown at the bottom of the inventory, even if it is shown as folder in the inventory itself.
FSAlwaysShowTPCancel 0 Always show the TP cancel button even if the sim says it cant be canceled. The sim will always know if it can and will ignore cancel requests on death/god TPs anyways. Ignores RLVa (i.e. RLV restrictions can still disable it).
FSAlwaysTrackPayments 0 Always track payments even if the money tracker is closed
FSAnimatedScriptDialogs 0 Animates script dialogs V1 style. Only effective when dialogs in top right are activated.
FSAnnounceIncomingIM 0 Opens the IM floater and announces an incoming IM as soon as somebody is starting to write an IM to you.
FSAppearanceShowHints 1 If enabled, show visual hints (avatar images) in appearance editor
FSAreaSearchAdvanced 0 Displays the advanced settings tab
FSAreaSearchColumnConfig 1023 Stores the column visibility for the area search
FSAudioMusicFadeIn 3.0 Fade in time in seconds for music streams
FSAudioMusicFadeOut 2.0 Fade out time in seconds for music streams
FSBeamColorFile Rainbow Beam file for the shape of your beam
FSBeamShape Phoenix Beam file for the shape of your beam
FSBeamShapeScale 1.3 How Big You Want to let the beam be
FSBetterGroupNoticesToIMLog 1 Improved logging of group notices to group IM log.
FSBeyondNearbyChatColorDiminishFactor 0.8 The factor the color for nearby chat diminishes if the sender is beyond chat range
FSBlockClickSit 0 Prevents sitting on left-click.
FSBubblesHideConsoleAndToasts 1 If enabled, using bubble chat will hide the chat output in the Nearby Chat console and toasts
FSBuildPrefs_ActualRoot 0 Show the axis on the actual root of a linkset instead of mass center
FSBuildPrefs_Alpha 0.0 New object created default alpha
FSBuildPrefs_Color 1.0, 1.0, 1.0, 1.0 New object created default color
FSBuildPrefs_FullBright 0 New object created default fullbright
FSBuildPrefs_Glow 0.0 New object created default glow
FSBuildPrefs_Material Wood Default Setting For New Objects to be created, physical flag
FSBuildPrefs_Phantom 0 New object created default of phantom
FSBuildPrefs_Physical 0 New object created default of physical
FSBuildPrefs_PivotIsPercent 1 Consider the Pivot points values as a percentage
FSBuildPrefs_PivotX 50 Pivot point on the X axis
FSBuildPrefs_PivotY 50 Pivot point on the Y axis
FSBuildPrefs_PivotZ 50 Pivot point on the Z axis
FSBuildPrefs_Shiny None New object created default shiny
FSBuildPrefs_Temporary 0 New object created default of temporary
FSBuildPrefs_Xsize 0.5 Default Size For New Objects to be created X
FSBuildPrefs_Ysize 0.5 Default Size For New Objects to be created Y
FSBuildPrefs_Zsize 0.5 Default Size For New Objects to be created Z
FSBuildToolDecimalPrecision 5 Decimal digits to display on various build tool controls (0-7)
FSChatHistoryShowYou 0 Show localized “You” instead of your avatar's username (like CHUI)
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSChatbarGestureAutoCompleteEnable 1 Toggles gesture auto complete in chat bar
FSChatbarNamePrediction 0 Toggles name prediction in nearby chat
FSClientTagsVisibility 0 Show client tags: 0=Client tags Off, 1=That are on the TPVD (needs FSUseLegacyClienttags), 2=That are on the client_tag.xml (needs FSUseLegacyClienttags), 3=That using the new system
FSCloudTexture Default.tga Windlight cloud texture (don't edit by hand)
FSCmdLine 1 Enable usage of chat bar as a command line
FSCmdLineAO cao Turn AO on/off
FSCmdLineBandWidth bw Change max. bandwidth quickly
FSCmdLineCalc calc Calculates an expression
FSCmdLineClearChat clrchat Clear chat transcript to stop lag from chat spam
FSCmdLineCopyCam cpcampos Copies the current camera location to a vector of the form <x, y, z> to the clipboard.
FSCmdLineDrawDistance dd Change draw distance quickly
FSCmdLineGround flr Teleport to ground function command
FSCmdLineHeight gth Teleport to height function command
FSCmdLineKeyToName key2name Use a fast key to name query
FSCmdLineMapTo mapto Teleport to a region by name rapidly
FSCmdLineMapToKeepPos 0 Whether to use current local position on teleport to the new region
FSCmdLineMedia /media Chat command for setting a media url
FSCmdLineMusic /music Chat command for setting a music url
FSCmdLineOfferTp offertp Offer a teleport to target avatar
FSCmdLinePlatformSize 30 How wide the rezzed platform will appear to be.
FSCmdLinePos gtp Teleport to position function command
FSCmdLineRezPlatform rezplat Rez a platform underneath you
FSCmdLineRollDice rolld Rolls dice - cmd [number of dice] [number of faces]. Example: cmd 1 20. Lack of parameters is equal to cmd 1 6 (standard die).
FSCmdLineTP2 tp2 Teleport to a person by name, partials work.
FSCmdLineTeleportHome tph Teleport to home function command
FSCmdTeleportToCam tp2cam Teleport to your camera
FSCollisionMessagesInChat 0 Shows collision messages in nearby chat.
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSColorIMsDistinctly 0 Color IM/Group messages distinctly in the console.
FSColorUsername 0 Color username distinctly from the rest of the tag
FSComboboxSubstringSearch 1 Allows fulltext search on comboboxes
FSCommitForSaleOnChange 0 Enables old SL default behavior. Objects set for sale will take effect on change instead of requiring a confirm first.
FSConfirmPayments 1 Enables confirmation dialogs for payments.
FSConsoleClassicDrawMode 0 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSContactListShowSearch 1 Shows the search filter in the legacy contact list.
FSContactSetsColorizeChat 0 Whether to color a friends chat based on their friends groups
FSContactSetsColorizeMiniMap 0 Whether to color a friends mini map icon based on their friends groups
FSContactSetsColorizeNameTag 0 Whether to color a friends name tag based on their friends groups
FSContactSetsColorizeRadar 0 Whether to color a friends name in the radar list based on their friends groups
FSContactSetsNotificationNearbyChat 1 Show the On/Offline notifications caused by Contactsets in Nearby Chat
FSContactSetsNotificationToast 0 Show the On/Offline notifications caused by Contactsets as Toast message
FSContactsSortOrder 3 Specifies sort order for friends (0 = by display name, 1 = username, 2 = by online status then display, 3 = by online status then username)
FSConversationLogLifetime 120 Number of days transcripts are preserved in the conversation log before being purged
FSCopyObjKeySeparator , This chunk of text goes between keys when you use the Copy Key button with multiple objects selected.
FSCreateGiveInventoryParticleEffect 1 If enabled, the viewer will create particle effects around the avatar if inventory is transferred to another avatar.
FSCreateOctreeLog 0 Create a log of octree operation. This can cause huge frame stalls on edit
FSDefaultObjectTexture 89556747-24cb-43ed-920b-47caed15465f Default texture that will be applied to rezzed prims. (UUID texture reference)
FSDestroyGLTexturesImmediately 0 If enabled, GL textures will be removed from memory immediately when its fetched texture is removed. This might result in textures behind you being unloaded.
FSDestroyGLTexturesThreshold 0.9 Threshold, at what texture memory load level GL textures will be removed from memory if FSDestroyGLTexturesImmediately is set to TRUE.
FSDisableAMDTextureMemoryCheck 0 Disable checking for low texture memory on AMD graphics cards
FSDisableAvatarTrackerAtCloseIn 1 Disables the tracking beacon if distance to target avatar is less than 3m.
FSDisableBeaconAfterTeleport 0 Disables the beacon of the teleport destination after a teleport.
FSDisableBlockListAutoOpen 0 Disables automatic opening of the block list when muting people or objects.
FSDisableIMChiclets 0 If enabled, Firestorm will not show any group / IM chat chiclets (notifications envelope and sum of IMs will remain on the screen).
FSDisableLoginScreens 0 Disable login screen progress bar
FSDisableLogoutScreens 0 Disable logout screen progress bar
FSDisableMinZoomDist 0 Disable the constraint on the closest distance the camera is allowed to get to an object.
FSDisableMouseWheelCameraZoom 0 If true, Firestorm will not use mouse wheel to zoom in/out the camera.
FSDisableReturnObjectNotification 0 Disable 'Object has been returned to your inventory Lost and Found folder' notifications
FSDisableTeleportScreens 0 Disable teleport screens
FSDisableTurningAroundWhenWalkingBackwards 0 Disables your avatar turning around locally when moving backwards.
FSDisableWMIProbing 0 Disables VRAM detection via WMI probing on Windows systems
FSDisplaySavedOutfitsCap 0 Display only so many saved outfits in edit appearance. 0 to disable.
FSDoNotHideMapOnTeleport 0 If enabled, the world map won't be closed when teleporting
FSDontIgnoreAdHocFromFriends 0 Allow my friends to start conference chats with me.
FSDontNagWhenPurging 0 If enabled, emptying trash will not double check before deleting. WARNING: You should only use this if you are a regular trash emptier and are confident that you will not lose things
FSDoubleClickAddInventoryClothing 0 Whether or not to add clothes instead of wearing them
FSDoubleClickAddInventoryObjects 0 Whether or not to add objects instead of wearing them
FSEditGrid 0 Allows editing a grid from the grid manager
FSEmphasizeShoutWhisper 1 Enables bolding shouted chat and italicizing whispered chat
FSEnableAutomaticUIScaling 1 If enabled, the viewer will try to detect the correct factor based on the scaling set in the operating system. This feature is currently only available on Windows.
FSEnableGrowl 0 Enables Growl notifications
FSEnableLogThrottle 1 Enables throttling for writing to the log file to prevent spam
FSEnableMovingFolderLinks 1 Enable moving of folder links via drag and drop
FSEnableObjectExports 1 Enable object imports and exports (WARNING: This feature is unstable and under active development. Use at your own risk!)
FSEnablePerGroupSnoozeDuration 0 Enables input of a snooze duration per group.
FSEnableRiggingToAttachmentSpots 0 Enable upload of mesh models rigged to attachment spots
FSEnableRightclickMenuInMouselook 0 Enables pie or context menus on alt right click in mouselook
FSEnableRightclickOnTransparentObjects 1 If enabled, right-clicks on transparent objects will open the context menu
FSEnableVolumeControls 1 If true, Firestorm will show volume controls (sounds, media, stream) in upper right corner of the screen. Useful, if skin already has its own controls.
FSEnabledLanguages de, en, es, it, ja, pl, ru Languages that are enabled and can be used in this install.
FSEnforceStrictObjectCheck 1 Force malformed prims to be treated as invalid. This setting derenders all malformed prims, even those that might not cause obvious issues. Setting to false will allow bad prims to render but can cause crashes. (Disabled on OpenSim)
FSExperienceSearchMaturityRating 13 Setting for the user's preferred maturity level for experiences search (consts in indra_constants.h)
FSExperimentalDragTexture 0 If enabled, allows to click-drag or click-scale (together with caps lock) a texture face in build mode. This feature is still experimental and should be used with caution.
FSExperimentalLostAttachmentsFix 1 Enables the experimental fix for attachments getting detached on teleports and region crossings.
FSExperimentalLostAttachmentsFixReport 0 If enabled, reports attachments that were attempted to get detached during a teleport or region crossing to nearby chat.
FSExperimentalRegionCrossingMovementFix 1 If enabled, use the experimental fix for region crossing movements being bogus due to false predictions by the viewer.
FSExportContents 1 Export object contents in linkset backups
FSFadeAudioStream 1 Use fading when changing the parcel audio stream.
FSFadeGroupNotices 1 Fade group notices. (V3 default: true)
FSFilterGrowlKeywordDuplicateIMs 0 Filters duplicate IMs in Growl if they have already been shown as part of a keyword alert.
FSFirstRunAfterSettingsRestore 0 Specifies that you have not run the viewer since you performed a settings restore
FSFlashOnMessage 0 Flash/Bounce the app icon when a new message is received and Firestorm is not in focus
FSFlashOnObjectIM 1 Flash/Bounce the app icon when a new instant message from an object is received and Firestorm is not in focus.
FSFlashOnScriptDialog 0 Flash/Bounce the app icon when a script dialog is received and Firestorm is not in focus
FSFlyAfterTeleport 0 Always fly after teleporting.
FSFolderViewItemHeight 20 Controls the height of folder items, for instance in inventory
FSFontChatLineSpacingPixels 2 Line spacing pixels for chat text (requires restart)
FSFontSettingsFile fonts.xml The font settings file with the font currently being used.
FSFontSizeAdjustment 0.0 Number of points to add to the defualt font sizes
FSForcedVideoMemory 0 Overrides the video memory detection on Windows if a value greater 0 is passed (in case DirectX memory detection fails or is wrong)
FSFriendListColumnShowDisplayName 0 Enables the display name column in the legacy friend list.
FSFriendListColumnShowFullName 1 Enables the full name column in the legacy friend list.
FSFriendListColumnShowPermissions 1 If enabled, show permission columns in the contacts list
FSFriendListColumnShowUserName 0 Enables the username column in the legacy friend list.
FSFriendListFullNameFormat 1 Defines the order of how the full name in the contacts list is shown (0 = username (display name), 1 = display name (username))
FSFriendListSortOrder 0 Defines the sort order of the contacts list (0 = username, 1 = display name)
FSGroupNoticesToIMLog 1 Show group notices in group chats, in addition to toasts.
FSGroupNotifyNoTransparency 0 If true, group notices will be shown opaque and ignore the floater opacity settings.
FSGrowlWhenActive 0 If Growl notifications are active, show them even when the window is active.
FSHighlightGroupMods 1 Enable group moderator message highlighting
FSHudTextFadeDistance 8.0 Sets the distance where HUD text starts to fade
FSHudTextFadeRange 4.0 Sets the range it takes for a HUD text to fade from fully visible to invisible
FSIMChatFlashOnFriendStatusChange 0 Flash IM tab when friend goes online or offline.
FSIMChatHistoryFade 0.5 Amount to fade IM text into the background of the chat transcript floater (0.25-1.0, 0.25 for really light, 1 for fully visible).
FSIMSystemMessageBrackets 0 Enables surrounding system messages with square brackets in chat transcript if using V1 style chat history. []
FSIMTabNameFormat 0 Controls in what format the name on IM tabs will be shown: 0 = Display Name, 1 = Username, 2 = Display Name (Username), 3 = Username (Display name)
FSIgnoreAdHocSessions 0 Automatically ignore and leave all conference (ad-hoc) chats.
FSIgnoreFinishAnimation 0 Disable the wait for pre-jump or landing. Credit to Zwagoth Klaar for coding this.
FSIgnoreSimulatorCameraConstraints 0 Ignores the 'push' the simulator applies to your camera to keep it out of objects.(Requires restart to work correctly)
FSImportBuildOffset 5.0, 0.0, 2.0 Distance from user the importer begins to build
FSInspectAvatarSlurlOpensProfile 0 Open the full profile of an avatar directly when clicking on its name
FSInternalFontSettingsFile The font settings file with the font currently being used in this session.
FSInternalLegacyNotificationWell 0 Internal state of FSLegacyNotificationWell
FSInternalShowNavbarFavoritesPanel 1 Internal control to show/hide navigation bar favorites panel
FSInternalShowNavbarNavigationPanel 0 Internal control to show/hide navigation bar navigation panel
FSInternalSkinCurrent The currently selected skin in the current session.
FSInternalSkinCurrentTheme The selected theme for the current skin in the current session.
FSInterpolateSky 1 FSInterpolateSky
FSInterpolateWater 1 FSInterpolateWater
FSKeepUnpackedCacheFiles 0 If TRUE, the viewer won't delete unpacked cache files when logging out (improves overall performance and fixes sound bugs)
FSLandmarkCreatedNotification 0 Display a notification if a landmark is added to your inventory.
FSLastSearchTab 0 Last selected tab in search window
FSLastSnapshotPanel The last snapshot panel that was opened and will be restored the next time the snapshot floater is opened.
FSLastSnapshotToFacebookHeight 768 The height of the last Facebook snapshot, in px
FSLastSnapshotToFacebookResolution 4 At what resolution should snapshots be posted on Facebook. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToFacebookWidth 1024 The width of the last Facebook snapshot, in px
FSLastSnapshotToFlickrHeight 768 The height of the last Flickr snapshot, in px
FSLastSnapshotToFlickrResolution 4 At what resolution should snapshots be posted on Flickr. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToFlickrWidth 1024 The width of the last Flickr snapshot, in px
FSLastSnapshotToTwitterHeight 768 The height of the last Twitter snapshot, in px
FSLastSnapshotToTwitterResolution 3 At what resolution should snapshots be posted on Twitter. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToTwitterWidth 1024 The width of the last Twitter snapshot, in px
FSLatencyOneTimeFixRun 0 One time fix has run for this install for script dialog colors on Latency
FSLegacyEdgeSnap 0 Use old method for adjusting edge snap regions.
FSLegacyMinimize 0 Minimize floaters to bottom left instead of top left.
FSLegacyNameCacheExpiration 0 Use the legacy avatar name cache expiration (expiration at least 60 mins.)
FSLegacyNametagPosition 1 Enables the legacy nametag behavior of staying fixed at the avatar's position instead of following animation movements.
FSLegacyNotificationWell 0 Enables the legacy notifications and system messages well
FSLegacyRadarFriendColoring 0 Use old style for friends on the radar. Uses same color as minimap.
FSLegacyRadarLindenColoring 0 Color Lindens on the radar the same as the minimap.
FSLegacySearchActionOnTeleport 1 Controls what action Legacy Search should take when teleporting: 0 = No effect, 1 = Close floater, 2 Minimise floater
FSLetterKeysFocusNearbyChatBar 1 If enabled, the chat bar in the Nearby Chat window will be preferred if it contains a chat bar and LetterKeysAffectsMovementNotFocusChatBar is FALSE.
FSLimitFramerate 0 Enable framerate limitation defined by FramePerSecondLimit
FSLinuxEnableWin32VoiceProxy 0 Use Win32 SLVoice.exe for voice. Needs wine (https://www.winehq.org/) installed, as SLVoice.exe is started inside wine.
FSLogAutoAcceptInventoryToChat 1 If enabled, auto-accepted inventory items will be logged to nearby chat.
FSLogGroupImToChatConsole 0 Defines if group IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogIMInChatHistory 0 If true, IM will also be logged in the nearby chat transcript if logging nearby chat and showing IMs in nearby chat is enabled.
FSLogImToChatConsole 0 Defines if IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogSnapshotsToLocal 0 Log filename of saved snapshots in to chat history
FSLoginDontSavePassword 0 Internal setting used to indicate that passwords shouldn't be saved if –login cmdline switch is used.
FSMarkObjects 0 Mark unnamed objects with (No Name)
FSMaxAnimationPriority 4 Allow uploading animations with higher priority (up to 6) NOTE: Only priorities up to level 5 are supported! (Default: 4)
FSMaxBeamsPerSecond 40 How many selection beam updates to send in a second
FSMaxPendingIMMessages 25 Maximum number of pending IM or group messages before a minimized or not visible chat window will be updated
FSMenuSearch 1 If enabled, the viewer will show a search box for top menu items.
FSMilkshakeRadarToasts 0 When enabled, radar alerts will be sent as notification toasts.
FSMiniMapOpacity 0.66 The opacity for the minimap background
FSMinimapPickScale 3.0 Controls the pick radius on the minimap
FSModNameStyle 1 Font style settings for moderators' name if FSHighlightGroupMods enabled. 0=NORMAL 1=BOLD 2=ITALIC 3=BOLD ITALIC 4=UNDERLINE 5=BOLD UNDERLINE 6=ITALIC UNDERLINE 7=BOLD ITALIC UNDERLINE
FSModTextStyle 1 Font style settings for moderators' name if FSHighlightGroupMods enabled. 0=NORMAL 1=BOLD 2=ITALIC 3=BOLD ITALIC 4=UNDERLINE 5=BOLD UNDERLINE 6=ITALIC UNDERLINE 7=BOLD ITALIC UNDERLINE
FSMouselookCombatFeatures 0 Enable combat features (target distance etc.) when in mouselook
FSMuteAllGroups 0 Disable ALL group chats.
FSMuteGroupWhenNoticesDisabled 0 When 'Receive group notices' is disabled, disable group chat as well.
FSNameTagShowLegacyUsernames 0 Show legacy name (Firstname Lastname) in user tags instead of username
FSNameTagZOffsetCorrection 0 Changes the default Z-offset of the avatar nametags.
FSNearbyChatToastsOffset 20 Vertical offset of the nearby chat toasts
FSNearbyChatbar 1 Set to true to add a chat bar to the Nearby Chat window
FSNetMapDoubleClickAction 2 Defines the action happening if the a double click occurs on a minimap instance (minimap floater or within people panel): 0 = Nothing, 1 = Open world map, 2 = teleport to location
FSNetMapPhantomOpacity 90 Percentage of opacity for phantom objects on netmap.
FSNetMapPhysical 0 Accent physical objects on netmap in different colors.
FSNetMapScripted 0 Accent scripted objects on netmap in different colors.
FSNetMapTempOnRez 0 Accent temp on rez objects on netmap in different colors.
FSNoScreenShakeOnRegionRestart 0 Don't shake my screen when region restart alert message is shown
FSNotifyIMFlash 1 Flash FUI button if new (group) IMs arrived and conversations floater is closed (IM floater must be docked to conversations floater and IMs must be shown in tabs)
FSNotifyIncomingObjectSpam 1 Notify about throttled incoming object offers from objects.
FSNotifyIncomingObjectSpamFrom 1 Notify about throttled incoming object offers from named sources.
FSNotifyNearbyChatFlash 1 Flash FUI button if new nearby chat arrived and conversations floater is closed (nearby chat floater must be docked to conversations floater)
FSNotifyUnreadChatMessages 1 Notify about new unread chat messages in history if scrolled back
FSNotifyUnreadIMMessages 1 Notify about new unread IM messages in history if scrolled back
FSOOCPostfix )) Postfix to mark OOC chat
FSOOCPrefix (( Prefix to mark OOC chat
FSOfferThrottleMaxCount 5 The number of objects offered within a second duration before throttling starts.
FSOpenIMContainerOnOfflineMessage 0 Open the IM container at login when an offline message is present.
FSOpenInventoryAfterSnapshot 1 If enabled, the inventory window will open and show the snapshot after upload
FSOpenSimLightshare 1 Enables Lightshare WindLight on compatible OpenSim regions
FSParcelMusicAutoPlay 0 Auto play parcel music when available
FSParticleChat 0 Speak Particle Info on channel 9000
FSPaymentConfirmationThreshold 200 Threshold when payment confirmation dialogs are triggered
FSPaymentInfoInChat 0 If true, L$ balance changes will be shown in nearby chat instead of toasts.
FSPermissionDebitDefaultDeny 1 If enabled, LSL script debit permission dialogs will default to deny. If disabled, they will default to allow.
FSPlayCollisionSounds 1 Play collision sounds.
FSPoseStandLastSelectedPose Last selected pose in the pose stand
FSPoseStandLock 0 When enabled, posestand will lock the avatar to the ground.
FSPurgeInventoryCacheOnStartup Clear the inventory cache of the specific agent (ID) at next startup
FSRadarColorNamesByDistance 0 Colors avatar nametags by distance in the radar.
FSRadarColumnConfig 1023 Stores the column visibility of the radar
FSRadarEnhanceByBridge 1 Enhance radar functionality by using client LSL Bridge.
FSRadarShowMutedAndDerendered 1 If enabled, show muted or derendered avatars in radar list
FSReleaseCandidateChannelId RC Defines the string that identifies a simulator release candidate channel in the simulator version string.
FSRemapLinuxShortcuts 0 If enabled, use the special shortcuts on Linux to remap shortcuts that are already in use by the operating system (e.g. CTRL-ALT-Fx)
FSRememberUsername 1 Stores the username used for logging in.
FSRemoveFlyHeightLimit 1 Remove the 4096m high fly limit
FSRemoveScriptBlockButton 0 Removes the “block” from script dialogs.
FSRenderBeaconText 1 Show beacon text in the viewer window if beacons are enabled
FSRenderDoFUnderwater 0 Whether to use depth of field effect when enabled and underwater
FSRenderFarClipStepping 0 Set to TRUE to increase performance via progressive draw distance stepping
FSRenderFarClipSteppingInterval 20 Interval in seconds between each draw distance increment
FSRenderParcelSelectionToMaxBuildHeight 0 Shows the parcel boundary up to the maximum build height instead of just 0.66m above ground
FSRenderVignette 0.0, 1.0, 1.0 Amount of vignette to apply (X), power of vignette shading (Y), and multiplier for vignette shading (Z).
FSReportBlockToNearbyChat 0 Reports changes to the blocklist in nearby chat
FSReportCollisionMessages 0 Report collision messages to scripts.
FSReportCollisionMessagesChannel -25000 The channel used to report collision messages to scripts.
FSReportIgnoredAdHocSession 0 Reports to nearby chat if a conference (ad-hoc) has been ignored.
FSReportMutedGroupChat 0 Reports to nearby chat if a group chat has been muted.
FSReportTotalScriptCountChanges 0 Reports if the change of total number of active scripts in a region exceeds the defined threshold.
FSReportTotalScriptCountChangesThreshold 100 Minimum change of total active scripts in a region before reporting.
FSResetCameraOnMovement 1 If true, Firestorm will reset camera on avatar movement.
FSResetCameraOnTP 1 If true the camera will be reset to behind the avatar on teleporting
FSRevokePerms 0 Revokes objects anim perms on your avatar on: 0) never, 1) on sit, 2) on stand, 3) on sit and stand.
FSRowsPerScriptDialog 20 The number of rows visible in a script dialog
FSSaveInventoryScriptsAsMono 1 Saves scripts edited directly from inventory as Mono instead of LSL
FSSavedRenderFarClip 0.0 Saved draw distance (used in case of logout during progressive draw distance stepping)
FSScriptDebugWindowClearOnClose 0 Clear [ALL SCRIPTS] tab of script debug/error window on close.
FSScriptDialogNoTransparency 0 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSScriptEditorRecompileButton 0 Enables the save button to recompile scripts when no change in the opened script has occurred. Very useful for preproc scripts that consist of only includes. Only enabled with preproc since its pointless otherwise.
FSScriptingFontName Scripting The name of the font used for the LSL script editor
FSScriptingFontSize Scripting The size of the font used for the LSL script editor
FSScrollWheelExitsMouselook 1 If enabled, mouselook can be left by turning the scroll wheel
FSSecondsinChatTimestamps 0 Show seconds in chat timestamps, in the chat window and logs
FSSelectCopyableOnly 0 Only include copyable objects during selection
FSSelectIncludeGroupOwned 1 Includes group-owned objects during selection
FSSelectLocalSearchEditorOnShortcut 1 If enabled, pressing the shortcut for search (CTRL-F) will focus the search field of the active window (if available).
FSSelectLockedOnly 0 Select only objects that are locked
FSSendTypingState 1 Send typing start and typing stop state notifications to other clients.
FSShowAutorespondInNametag 0 Does the user want to see autorespond mode in his own nametag?
FSShowBackSLURL 1 Report the SLURL of the region you completed a teleport from
FSShowChatChannel 0 Shows/Hides the channel selector in the Nearby Chat command line
FSShowChatType 1 Shows/Hides the chat type selector (Whisper, Say, Shout)
FSShowConversationVoiceStateIndicator 1 Show the voice state indicator in the conversation floater tabs
FSShowConvoAndRadarInML 0 Conversations and Radar windows stays visible when entering mouselook if it was open already.
FSShowCurrencyBalanceInSnapshots 1 Show your currency balance in snapshots
FSShowCurrencyBalanceInStatusbar 1 Show the current balance in the statusbar if enabled
FSShowDisplayNameUpdateNotification 1 Show system notifications if somebody changes their display name.
FSShowDummyAVsinRadar 0 If true, shows dummy (preview) avatars in radar.
FSShowGroupNameLength 0 Max length of group name to be printed in chat (-1 for full group name, 0 for disabled).
FSShowGroupTitleInTooltip 1 Shows the group title of an avatar in the tooltip.
FSShowIMInChatHistory 0 If true, IM will also be shown in the nearby chat transcript.
FSShowIMSendButton 1 Shows the send chat button in IM session windows
FSShowInboxFolder 0 If enabled, the Received Items folder aka Inbox is shown in the inventory as folder.
FSShowInterfaceInMouselook 0 If true, Firestorm will show user interface in mouselook mode.
FSShowJoinedGroupInvitations 0 If enabled, invitations to groups you are already a member in will be shown
FSShowMessageCountInWindowTitle 0 Displays the number of unread IMs in the application window title.
FSShowMouselookInstructions 1 If true, instructions about leaving Mouseview are displayed.
FSShowMutedChatHistory 0 Shows the muted text in nearby chat transcript if enabled.
FSShowRegionGridCoordinates 0 Show the grid coordinates of each region in the world map.
FSShowServerVersionChangeNotice 1 Shows a notice if the simulator version is different after a region crossing or teleport.
FSShowStatsBarInMouselook 0 Makes it so that the statistics bar stays visible when entering mouselook if it was open already.
FSShowTimestampsIM 1 Show timestamps in IM
FSShowTimestampsNearbyChat 1 Show timestamps in nearby chat
FSShowTimestampsTranscripts 1 Show timestamps in transcripts
FSShowToastsInFront 0 Show toasts in front of other floaters if enabled
FSShowTypingStateInNameTag 0 Shows in the nametag of an avatar if they are typing
FSShowUploadPaymentToast 1 Show UploadPayment Notifications
FSShowVoiceVisualizer 1 Hides the voice dot over avatars if disabled.
FSSimpleAvatarShadows 3 How to render deferred avatar shadows. 0=none, 1=simplified (no rigged mesh shadows), 2=optimized (slower but still faster than legacy when several avatars are around), 3=legacy (like the SL viewer, slow with complex rigged attachments).
FSSkinClobbersColorPrefs 1 If enabled the default color scheme for newly selected skins will be overwritten with the user's current selected colors. (default off)
FSSkinClobbersToolbarPrefs 0 If enabled the default toolbar layout for newly selected skins will be overwritten with the user's current layout. (default off)
FSSkinCurrentReadableName Firestorm The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Grey The readable name of the selected theme for the current skin.
FSSnapshotLocalFormat 0 Save snapshots to disk in this format (0 = PNG, 1 = JPEG, 2 = BMP)
FSSortFSFoldersToTop 1 Sorts the #FS and #RLV folders to the top like system folders.
FSSoundCacheLocation Location for caching sound files (.DSF); Uses default cache directory if empty
FSSplitInventorySearchOverTabs 0 If enabled, the search terms for inventory can be entered for each tab individually.
FSStartupClearBrowserCache 0 Clear internal browser cache on next startup.
FSStatbarLegacyMeanPerSec 0 Use legacy period mean per second display for stat bars.
FSStaticEyesUUID eff31dd2-1b65-5a03-5e37-15aca8e53ab7 Animation UUID to used to stop idle eye moment (Default uses priority 2)
FSStatisticsNoFocus 0 If enabled, the statistics bar will never gain focus (i.e. from closing another floater).
FSStatusBarMenuButtonPopupOnRollover 1 Enable rollover popups on top status bar menu icons: Quick Graphics Presets, Volume, and Media.
FSStatusBarShowFPS 1 If enabled, shows the current FPS in the main menu bar
FSStatusbarShowSimulatorVersion 0 If enabled, the simulator version is included in the V1-like statusbar.
FSStreamList Saved list of media streams
FSSupportGroupChatPrefix2 0 Adds (FS 1.2.3) to support group chat
FSTPHistoryTZ utc Select the timezone to be used with Teleport History. ('utc' = default, 'slt' = Second Life Time, 'local' = the local timezone of the client)
FSTagShowARW 1 If enabled, the avatar complexity will be shown in the nametag for every avatar.
FSTagShowDistance 0 If enabled, show distance to other avatars in their nametag.
FSTagShowDistanceColors 0 If enabled, color other avatars' nametags based on their distance
FSTagShowOwnARW 0 If enabled, the avatar complexity for the own avatar will be shown in the nametag.
FSTagShowTooComplexOnlyARW 1 If enabled, the avatar complexity will be shown in the nametag only for too complex avatars (Jelly Dolls)
FSTeleportHistoryShowDate 0 Shows the exact date and time in the teleport history.
FSTeleportHistoryShowPosition 0 Shows the local position within a region in the teleport history.
FSTeleportToOffsetLateral 0.0 Horizontal distance from the target avatar that is used for teleporting to them.
FSTeleportToOffsetVertical 2.0 Vertical distance from the target avatar that is used for teleporting to them.
FSTempDerenderUntilTeleport 1 If enabled, temporary derendered objects will stay derendered until teleport. If disabled, they stay derendered until the end of the session or get manually re-rendered via asset blacklist floater.
FSTextureDefaultSaveAsFormat 0 The default “save as” format for textures, in the texture preview floater or context menu in inventory. False: TGA, True: PNG.
FSToolbarsResetOnModeChange 1 If enabled the user's current toolbar layout for newly selected modes will be overwritten with the default one for a mode. (default on)
FSToolboxExpanded 1 Whether to show additional build tool controls
FSTrimLegacyNames 1 Trim “Resident” from Legacy Names.
FSTurnAvatarToSelectedObject 1 If enabled, the avatar turns towards an selected object
FSTypeDuringEmote 0 Enables the typing animation even while emoting
FSTypingChevronPrefix 0 Adds an additional chevron prefix to the IM window as typing indicator
FSUndeformUUID 44e98907-3764-119f-1c13-cba9945d2ff4 Animation UUID to use for the undeform
FSUnfocusChatHistoryOnReturn 1 De-focus chat history after sending a message
FSUnlinkConfirmEnabled 1 Unlink confirmation dialog functionality enabled?
FSUploadAnimationOnOwnAvatar 1 Uploading an animation preview on own avatar if set to true, preview on dummy if false. Both plays only on the local machine.
FSUseAis3Api 1 Option to disable the use of the AISv3 inventory API. NOTE: This setting has NO EFFECT in Second Life!
FSUseAltOOC 1 Set to TRUE to use the keyboard shortcut Alt+Enter to send ((OOC)) messages to Nearby Chat.
FSUseAzertyKeyboardLayout 0 Uses a keyboard layout suitable for keyboards with AZERTY layout.
FSUseBuiltInHistory 1 Open the conversation transcript in the built in log viewer.
FSUseCtrlShout 1 Set to TRUE to use the keyboard shortcut Ctrl+Enter to Shout in Nearby Chat.
FSUseLegacyClienttags 2 0=Off, 1=Local Client tags, 2=Download Client tags (needs relog)
FSUseLegacyCursors 0 Use 1.x style cursors instead
FSUseLegacyInventoryAcceptMessages 0 If enabled, the viewer will send accept/decline response for inventory offers after the according button has been pressed and not if the item has been received at the receiver's inventory already.
FSUseLegacyLoginPanel 0 If enabled, the legacy layout version of the login panel will be used
FSUseLegacyObjectProperties 1 If enabled, the legacy object profile floater will be used when opening object properties.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseNewRegionRestartNotification 1 Use the new region restart notification instead of the old one with toasts
FSUseReadOfflineMsgsCap 0 If enabled, use the ReadOfflineMsgsCap to request offline messages at login
FSUseShiftWhisper 1 Set to TRUE to use the keyboard shortcut Shift+Enter to Whisper in Nearby Chat.
FSUseSingleLineChatEntry 0 Use single line chat entry instead of auto-expanding chat entry
FSUseStandaloneBlocklistFloater 0 If enabled, Firestorm will use a standalone floater for the blocklist.
FSUseStandaloneGroupFloater 1 If enabled, Firestorm will use a standalone floater for each group profile.
FSUseStandalonePlaceDetailsFloater 0 If enabled, Firestorm will use a standalone floater for each landmark details, teleport history details and parcel details view.
FSUseStandaloneTeleportHistoryFloater 0 If enabled, Firestorm will use a standalone floater for the teleport history view.
FSUseStatsInsteadOfLagMeter 0 Clicking on traffic indicator (upper right) toggles Statistics window, not the Lag Meter window
FSUseV2Friends 0 Makes Comm→Friends and Comm→Groups open the v2 based windows.
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
FSVolumeControlsPanelOpen 0 Internal control for visibility of volume control panel.
FSWLParcelEnabled 1 Enables auto setting WL from parcel desc flags
FSWLWhitelistAll 0 Allow all land for Phoenix WL sharing
FSWLWhitelistFriends 1 Whitelist friend's land for Phoenix WL sharing
FSWLWhitelistGroups 1 Whitelist group land on groups you are member of for Phoenix WL sharing
FSWearableFavoritesSortOrder 3 The sort order for the wearable favorites item list
FSWindlightInterpolateTime 3.0 Timespan for interpolating between Windlight settings
FSWorldMapDoubleclickTeleport 1 If enabled, double click teleports on the world map will be enabled (default).
FSdataQAtest 0 Enable testing fsdata instead of the normal fsdata
FSllOwnerSayToScriptDebugWindowRouting 0 Routing options for FSllOwnerSayToScriptDebugWindow (0 = both tabs, 1 = only object's own tab, 2 = only [ALL SCRIPTS] tab). Errors will still go to both.
FastCacheFetchEnabled 1 Enable texture fast cache fetching if set
FeatureManagerHTTPTable LinkBase directory for HTTP feature/gpu table fetches
FilterItemsMaxTimePerFrameUnvisible 1 Max time devoted to items filtering per frame for non visible inventory listings (in milliseconds)
FilterItemsMaxTimePerFrameVisible 10 Max time devoted to items filtering per frame for visible inventory listings (in milliseconds)
FindLandArea 0 Enables filtering of land search results by area
FindLandPrice 1 Enables filtering of land search results by price
FindLandType All Controls which type of land you are searching for in Find Land interface (“All”, “Auction”, “For Sale”)
FindPeopleOnline 0 Limits people search to only users who are logged on
FindPlacesPictures 0 Display only results of find places that have pictures
FirstLoginThisInstall 1 Specifies that you have not logged in with the viewer since you performed a clean install
FirstName Login first name
FirstPersonAvatarVisible 0 Display avatar and attachments below neck while in mouse look
FirstRunThisInstall 1 Specifies that you have not run the viewer since you performed a clean install
FirstSelectedDisabledPopups 0 Return false if there is not disabled popup selected in the list of floater preferences popups
FirstSelectedEnabledPopups 0 Return false if there is not enable popup selected in the list of floater preferences popups
FirstUseFlyOverride 1 Whether the next use of the Fly Override would be the first use
FixedWeather 0 Weather effects do not change over time
FlashCount 8 Number of flashes of item. Requires restart.
FlashPeriod 0.5 Period at which item flash (seconds). Requires restart.
FloaterActiveSpeakersSortAscending 1 Whether to sort up or down
FloaterActiveSpeakersSortColumn speaking_status Column name to sort on
FloaterMapEast E Floater Map East Label
FloaterMapNorth N Floater Map North Label
FloaterMapNorthEast NE Floater Map North-East Label
FloaterMapNorthWest NW Floater Map North-West Label
FloaterMapSouth S Floater Map South Label
FloaterMapSouthEast SE Floater Map South-East Label
FloaterMapSouthWest SW Floater Map South-West Label
FloaterMapWest W Floater Map West Label
FloaterStatisticsRect 0, 400, 250, 0 Rectangle for chat transcript
FlycamAbsolute 0 Treat Flycam values as absolute positions (not deltas).
FlycamAxisDeadZone0 0.1 Flycam axis 0 dead zone.
FlycamAxisDeadZone1 0.1 Flycam axis 1 dead zone.
FlycamAxisDeadZone2 0.1 Flycam axis 2 dead zone.
FlycamAxisDeadZone3 0.1 Flycam axis 3 dead zone.
FlycamAxisDeadZone4 0.1 Flycam axis 4 dead zone.
FlycamAxisDeadZone5 0.1 Flycam axis 5 dead zone.
FlycamAxisDeadZone6 0.1 Flycam axis 6 dead zone.
FlycamAxisScale0 2.10 Flycam axis 0 scaler.
FlycamAxisScale1 2.0 Flycam axis 1 scaler.
FlycamAxisScale2 2.0 Flycam axis 2 scaler.
FlycamAxisScale3 0.0 Flycam axis 3 scaler.
FlycamAxisScale4 0.1 Flycam axis 4 scaler.
FlycamAxisScale5 0.15 Flycam axis 5 scaler.
FlycamAxisScale6 0.1 Flycam axis 6 scaler.
FlycamBuildModeScale 1.0 Scale factor to apply to flycam movements when in build mode.
FlycamFeathering 2.75 Flycam feathering (less is softer)
FlycamZoomDirect 0 Map flycam zoom axis directly to camera zoom.
FlyingAtExit 0 Was flying when last logged out, so fly when logging in
FocusOffsetFrontView 0.0, 0.0, 0.0 Initial focus point offset relative to avatar for the camera preset Front View
FocusOffsetGroupView 1.5, 0.7, 1.0 Initial focus point offset relative to avatar for the camera preset Group View
FocusOffsetRearView 1.0, 0.0, 1.0 Initial focus point offset relative to avatar for the camera preset Rear View (x-axis is forward)
FocusPosOnLogout 0.0, 0.0, 0.0 Camera focus point when last logged out (global coordinates)
FolderAutoOpenDelay 0.75 Seconds before automatically expanding the folder under the mouse when performing inventory drag and drop
FolderLoadingMessageWaitTime 0.5 Seconds to wait before showing the LOADING… text in folder views
FontScreenDPI 96.0 Font resolution, higher is bigger (pixels per inch)
ForceAssetFail 255 Force wearable fetches to fail for this asset type.
ForceInitialCOFDelay 0.0 Number of seconds to delay initial processing of COF contents
ForceLoginURL Force a specified URL for login page content - used if exists
ForceMandatoryUpdate 0 For QA: On next startup, forces the auto-updater to run
ForceMissingType 255 Force this wearable type to be missing from COF
ForcePeriodicRenderingTime -1.0 Periodically enable all rendering masks for a single frame.
ForceShowGrid 0 Always show grid dropdown on login screen
FramePerSecondLimit 120 Controls upper limit of frames per second
FreezeTime 0
FriendsListHideUsernames 0 Show both Display name and Username in Friend list
FriendsListShowIcons 1 Show/hide online and all friends icons in the friend list
FriendsListShowPermissions 1 Show/hide permission icons in the friend list
FriendsSortOrder 0 Specifies sort order for friends (0 = by name, 1 = by online status)
FullScreen 0 run a fullscreen session
FullScreenAspectRatio 3.0 Aspect ratio of fullscreen display (width / height)
FullScreenAutoDetectAspectRatio 0 Automatically detect proper aspect ratio for fullscreen display

G

Setting Default Description
GenericErrorPageURL LinkURL to set as a property on LLMediaControl to navigate to if the a page completes with a 400-499 HTTP status code
GesturesEveryoneCopy 0 Everyone can copy the newly created gesture
GesturesMarketplaceURL LinkURL to the Gestures Marketplace
GesturesNextOwnerCopy 1 Newly created gestures can be copied by next owner
GesturesNextOwnerModify 1 Newly created gestures can be modified by next owner
GesturesNextOwnerTransfer 1 Newly created gestures can be resold or given away by next owner
GesturesShareWithGroup 0 Newly created gestures are shared with the currently active group
GoogleTranslateAPIKey Google Translate API key
GridCrossSections 0 Highlight cross sections of prims with grid manipulation plane.
GridDrawSize 12.0 Visible extent of 2D snap grid (meters)
GridListDownload 1 Whether to fetch a grid list from the URL specified in GridListDownloadURL.
GridListDownloadURL http://phoenixviewer.com/app/fsdata/grids.xmlFetch a grid list from this URL.
GridMode 0 Snap grid reference frame (0 = world, 1 = local, 2 = reference object)
GridOpacity 0.699999988079 Grid line opacity (0.0 = completely transparent, 1.0 = completely opaque)
GridResolution 0.5 Size of single grid step (meters)
GridStatusFloaterRect 0, 520, 625, 0 Web profile floater dimensions
GridStatusRSS https://secondlife-status.statuspage.io/history.atomURL that points to SL Grid Status RSS
GridStatusUpdateDelay 60.0 Timer delay for updating Grid Status RSS.
GridSubUnit 0 Display fractional grid steps, relative to grid size
GridSubdivision 32 Maximum number of times to divide single snap grid unit when GridSubUnit is true
GroupListShowIcons 1 Show/hide group icons in the group list
GroupMembersSortOrder name The order by which group members will be sorted (name, donated, online)
GroupNotifyBoxHeight 260 Height of group notice messages
GroupNotifyBoxWidth 305 Width of group notice messages
GroupSnoozeTime 900 Amount of time (in seconds) group chat will be snoozed for

H

Setting Default Description
HeadlessClient 0 Run in headless mode by disabling GL rendering, keyboard, etc
HeightUnits 1 Determines which metric units are used: 1(TRUE) for meter and 0(FALSE) for foot.
HelpFloaterOpen 0 Show Help Floater on login?
HelpURLFormat http://wiki.phoenixviewer.com/[TOPIC]URL pattern for help page; arguments will be encoded; see llviewerhelp.cpp:buildHelpURL for arguments
HideSelectedObjects 0 Hide Selected Objects
HideUIControls 0 Hide all menu items and buttons
HighResSnapshot 0 Double resolution of snapshot from current window resolution
HomeSidePanelURL LinkURL for the web page to display in the Home side panel
HostID Machine identifier for hosted Second Life instances
HowToHelpURL LinkURL for How To help content
HtmlHelpLastPage Last URL visited via help system
HttpPipelining 1 If true, viewer will attempt to pipeline HTTP requests.
HttpProxyType Socks Proxy type to use for HTTP operations
HttpRangeRequestsDisable 0 If true, viewer will not issue GET requests with 'Range:' headers for meshes and textures. May resolve problems with certain ISPs and networking gear.

I

Setting Default Description
IMShowContentPanel 1 Show Toolbar and Body Panels
IMShowControlPanel 1 Show IM Control Panel
IMShowNamesForP2PConv 1 Enable(disable) showing of a names in the chat.
IMShowTime 1 Enable(disable) timestamp showing in the chat.
IMShowTimestamps 1 Show timestamps in IM
IgnoreAllNotifications 0 Ignore all notifications so we never need user input on them.
IgnorePixelDepth 0 Ignore pixel depth settings.
ImagePipelineUseHTTP 1 If TRUE use HTTP GET to fetch textures from the server
ImporterDebug 0 Enable debug output to more precisely identify sources of import errors. Warning: the output can slow down import on many machines.
ImporterLegacyMatching 0 Enable index based model matching.
ImporterModelLimit 768 Limits amount of importer generated models for dae files
ImporterPreprocessDAE 1 Enable preprocessing for DAE files to fix some ColladaDOM related problems (like support for space characters within names and ids).
InBandwidth 0.0 Incoming bandwidth throttle (bps)
InactiveFloaterTransparency 0.95 Transparency of inactive floaters (floaters that have no focus)
IncludeEnhancedSkeleton 1 Include extended skeleton joints when rendering skinned meshes.
IndirectMaxComplexity 0 Controls RenderAvatarMaxComplexity in a non-linear fashion (do not set this value)
IndirectMaxNonImpostors 0 Controls RenderAvatarMaxNonImpostors in a non-linear fashion (do not set this value)
InspectorFadeTime 0.5 Fade out timing for inspectors
InspectorShowTime 3.0 Stay timing for inspectors
InstallLanguage default Language passed from installer (for UI)
InternalShowGroupNoticesTopRight 1 Holds the information if group notifications should be shown in top right corner of the screen throughout the session.
InterpolationPhaseOut 1.0 Seconds to phase out interpolated motion
InterpolationTime 3.0 How long to extrapolate object motion after last packet received
InventoryAutoOpenDelay 1.0 Seconds before automatically opening inventory when mouse is over inventory button when performing inventory drag and drop
InventoryDebugSimulateLateOpRate 0.0 Rate at which we simulate late-completing copy/link requests in some operations
InventoryDebugSimulateOpFailureRate 0.0 Rate at which we simulate failures of copy/link requests in some operations
InventoryDisplayInbox 0 UNUSED - Controlled via FSShowInboxFolder and FSAlwaysShowInboxButton: Override received items inventory inbox display
InventoryInboxToggleState 0 Stores the open/closed state of inventory Received items panel
InventoryLinking 1 Enable ability to create links to folders and items via “Paste as link”.
InventoryOutboxDisplayBoth 0 Show the legacy Merchant Outbox UI as well as the Marketplace Listings UI
InventoryOutboxLogging 0 Enable debug output associated with the Merchant Outbox.
InventoryOutboxMakeVisible 0 Enable making the Merchant Outbox visible in the inventory for debug purposes.
InventoryOutboxMaxFolderCount 20 Maximum number of subfolders allowed in a listing in the merchant outbox.
InventoryOutboxMaxFolderDepth 4 Maximum number of nested levels of subfolders allowed in a listing in the merchant outbox.
InventoryOutboxMaxItemCount 200 Maximum number of items allowed in a listing in the merchant outbox.
InventoryOutboxMaxStockItemCount 200 Maximum number of items allowed in a stock folder.
InventorySortOrder 7 Specifies sort key for inventory items (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
InventoryTrashMaxCapacity 5000 Maximum capacity of the Trash folder. User will be offered to clean it up when exceeded.
InvertMouse 0 When in mouselook, moving mouse up looks down and vice verse (FALSE = moving up looks up)

J

Setting Default Description
JoystickAvatarEnabled 1 Enables the Joystick to control Avatar movement.
JoystickAxis0 1 Flycam hardware axis mapping for internal axis 0 ([0, 5]).
JoystickAxis1 0 Flycam hardware axis mapping for internal axis 1 ([0, 5]).
JoystickAxis2 2 Flycam hardware axis mapping for internal axis 2 ([0, 5]).
JoystickAxis3 4 Flycam hardware axis mapping for internal axis 3 ([0, 5]).
JoystickAxis4 3 Flycam hardware axis mapping for internal axis 4 ([0, 5]).
JoystickAxis5 5 Flycam hardware axis mapping for internal axis 5 ([0, 5]).
JoystickAxis6 -1 Flycam hardware axis mapping for internal axis 6 ([0, 5]).
JoystickBuildEnabled 0 Enables the Joystick to move edited objects.
JoystickEnabled 0 Enables Joystick Input.
JoystickFlycamEnabled 1 Enables the Joystick to control the flycam.
JoystickInitialized Whether or not a joystick has been detected and initialized.
JoystickMouselookYaw 1 Pass joystick yaw to scripts in mouse look.
JoystickRunThreshold 0.25 Input threshold to initiate running
Jpeg2000AdvancedCompression 0 Use advanced Jpeg2000 compression options (precincts, blocks, ordering, markers)
Jpeg2000BlocksSize 64 Size of encoding blocks. Assumed square and same for all levels. Must be power of 2. Max 64, Min 4.
Jpeg2000PrecinctsSize 256 Size of image precincts. Assumed square and same for all levels. Must be power of 2.

K

Setting Default Description
KeepAspectForDiskSnapshot 1 Always keep width to height ratio in local snapshots the same, regardless of image size
KeepAspectForEmailSnapshot 1 Always keep width to height ratio in postcard snapshots the same, regardless of image size
KeepAspectForInventorySnapshot 1 Always keep width to height ratio in inventory snapshots the same, regardless of image size
KeepAspectForProfileSnapshot 1 Always keep width to height ratio in profile snapshots the same, regardless of image size
KeepAspectForSnapshot 1 Always keep width to height ratio in snapshots the same, regardless of image size

L

Setting Default Description
LCDDestination 0 Which LCD to use
LSLFindCaseInsensitivity 0 Use case insensitivity when searching for text
LSLFindDirection 0 Direction text will be searched for a match (0: down ; 1: up)
LSLHelpURL LinkURL that points to LSL help files, with [LSL_STRING] corresponding to the referenced LSL function or keyword
LagMeterShrunk 0 Last large/small state for lag meter
LandBrushForce 1.0 Multiplier for land modification brush force.
LandBrushSize 2.0 Size of affected region when using terraform tool
LandmarksSortedByDate 1 Reflects landmarks panel sorting order.
Language default Specifies language (for UI)
LanguageIsPublic 1 Let other residents see our language information
LastAppearanceTab 0 Last selected tab in appearance floater
LastConnectedGrid Last grid with successful connection
LastFeatureVersion 0 [DO NOT MODIFY] Feature Table Version number for tracking rendering system changes
LastFindPanel find_all_panel Controls which find operation appears by default when clicking “Find” button
LastGPUString [DO NOT MODIFY] previous GPU id string for tracking hardware changes
LastJ2CVersion Last used J2C engine version
LastMediaSettingsTab 0 Last selected tab in media settings window
LastName Login last name
LastPrefTab 0 Last selected tab in preferences window
LastRunVersion 0.0.0 Version number of last instance of the viewer that you ran
LastSelectedGrass The last selected grass option from the build tools
LastSelectedTree The last selected tree option from the build tools
LastSnapshotToDiskHeight 768 The height of the last disk snapshot, in px
LastSnapshotToDiskResolution 4 At what resolution should snapshots be taken to disk. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
LastSnapshotToDiskWidth 1024 The width of the last disk snapshot, in px
LastSnapshotToEmailHeight 768 The height of the last email snapshot, in px
LastSnapshotToEmailResolution 2 At what resolution should snapshots be taken as postcards. 0=Current Window, 1=640×480, 2=800×600, 3=1024×768, 4=Custom
LastSnapshotToEmailWidth 1024 The width of the last email snapshot, in px
LastSnapshotToInventoryHeight 512 The height of the last texture snapshot, in px
LastSnapshotToInventoryResolution 2 At what resolution should snapshots be taken into inventory. 0=Current Window, 1=128×128, 2=256×256, 3=512×512, 4=Custom
LastSnapshotToInventoryWidth 512 The width of the last texture snapshot, in px
LastSnapshotToProfileHeight 768 The height of the last profile snapshot, in px
LastSnapshotToProfileResolution 1 At what resolution should snapshots be taken to the profile. 0=Current Window, 1=640×480, 2=800×600, 3=1024×768, 4=Custom
LastSnapshotToProfileWidth 1024 The width of the last profile snapshot, in px
LastSystemUIScaleFactor 1.0 Size of system UI during last run. On Windows 100% (96 DPI) system setting is 1.0 UI size
LeapCommand Zero or more command lines to run LLSD Event API Plugin programs.
LeapPlaybackEventsCommand Command line to use leap to launch playback of event recordings
LeaveMouselook 0 Exit Mouselook mode via S or Down Arrow keys while sitting
LeftClickShowMenu 0 Unused obsolete setting
LetterKeysAffectsMovementNotFocusChatBar 1 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
LimitDragDistance 1 Limit translation of object via translate tool
LimitRadarByRange 0 Restrict Radar to a range near you
LimitSelectDistance 1 Disallow selection of objects beyond max select distance
LinkReplaceBatchPauseTime 1.0 The time in seconds between two batches in a link replace operation
LinkReplaceBatchSize 25 The maximum size of a batch in a link replace operation
LipSyncAah 257998776531013446642343 Aah (jaw opening) babble loop
LipSyncAahPowerTransfer 0000123456789 Transfer curve for Voice Interface power to aah lip sync amplitude
LipSyncEnabled 1 0 disable lip-sync, 1 enable babble loop
LipSyncOoh 1247898743223344444443200000 Ooh (mouth width) babble loop
LipSyncOohAahRate 24.0 Rate to babble Ooh and Aah (/sec)
LipSyncOohPowerTransfer 0012345566778899 Transfer curve for Voice Interface power to ooh lip sync amplitude
LocalCacheVersion 0 Version number of cache
LocalFileSystemBrowsingEnabled 1 Enable/disable access to the local file system via the file picker
LockToolbars 0 If enabled, toolbars are locked and buttons can not be dragged around, added or removed.
LogInventoryDecline 1 Log in system chat whenever an inventory offer is declined
LogMessages 0 Log network traffic
LogMetrics Log viewer metrics
LogPerformance 0 Log performance analysis for a particular viewer run
LogTextureDownloadsToSimulator 0 Send a digest of texture info to the region
LogTextureDownloadsToViewerLog 0 Send texture download details to the viewer log
LogTextureNetworkTraffic 0 Log network traffic for textures
LogWearableAssetSave 0 Save copy of saved wearables to log dir
LoginAsGod 0 Attempt to login with god powers (Linden accounts only)
LoginContentVersion 2 Version of login page web based content to display
LoginLocation last Default Login location ('last', 'home') preference
LoginPage Login authentication page.
LoginSRVPump LLAres Name of the message pump that handles SRV request (deprecated)
LoginSRVTimeout 40.0 Duration in seconds of the login SRV request timeout
LosslessJ2CUpload 1 Use lossless compression for small image uploads

fs_debug_global-2

$
0
0

Firestorm Debug Settings - Global M to Z

Global settings affect all accounts logging in with the viewer.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11

M

Setting Default Description
MainChatbarVisible 0 Internal, volatile control variable to enable/disable the chat button in the toolbar.
MainloopTimeoutDefault 60.0 Timeout duration for main loop lock detection, in seconds.
MapOverlayIndex 0 Currently selected world map type
MapScale 128.0 World map zoom level (pixels per region)
MapServerURL LinkWorld map URL template for locating map tiles
MapShowEvents 1 Show events on world map
MapShowInfohubs 1 Show infohubs on the world map
MapShowLandForSale 1 Show land for sale on world map
MapShowPeople 1 Show other users on world map
MapShowTelehubs 1 Show telehubs on world map
Marker [NOT USED]
MarketplaceListingsLogging 0 Enable debug output associated with the Marketplace Listings (SLM) API.
MarketplaceListingsSortOrder 2 Specifies sort for marketplace listings
MarketplaceURL LinkURL to the Marketplace
MarketplaceURL_bodypartFemale LinkURL to the Marketplace Bodyparts Female
MarketplaceURL_bodypartMale LinkURL to the Marketplace Bodyparts Male
MarketplaceURL_clothingFemale LinkURL to the Marketplace Clothing Female
MarketplaceURL_clothingMale LinkURL to the Marketplace Clothing Male
MarketplaceURL_eyesFemale LinkURL to the Marketplace Eyes Female
MarketplaceURL_eyesMale LinkURL to the Marketplace Eyes Male
MarketplaceURL_glovesFemale LinkURL to the Marketplace Gloves Female
MarketplaceURL_glovesMale LinkURL to the Marketplace Gloves Male
MarketplaceURL_hairFemale LinkURL to the Marketplace Hair Female
MarketplaceURL_hairMale LinkURL to the Marketplace Hair Male
MarketplaceURL_jacketFemale LinkURL to the Marketplace Jacket Female
MarketplaceURL_jacketMale LinkURL to the Marketplace Jacket Male
MarketplaceURL_objectFemale LinkURL to the Marketplace Attachments Female
MarketplaceURL_objectMale LinkURL to the Marketplace Attachments Male
MarketplaceURL_pantsFemale LinkURL to the Marketplace Pants Female
MarketplaceURL_pantsMale LinkURL to the Marketplace Pants Male
MarketplaceURL_physicsFemale LinkURL to the Marketplace Bodyparts Female
MarketplaceURL_physicsMale LinkURL to the Marketplace Bodyparts Male
MarketplaceURL_shapeFemale LinkURL to the Marketplace Shape Female
MarketplaceURL_shapeMale LinkURL to the Marketplace Shape Male
MarketplaceURL_shirtFemale LinkURL to the Marketplace Shirt Female
MarketplaceURL_shirtMale LinkURL to the Marketplace Shirt Male
MarketplaceURL_shoesFemale LinkURL to the Marketplace Shoes Female
MarketplaceURL_shoesMale LinkURL to the Marketplace Shoes Male
MarketplaceURL_skinFemale LinkURL to the Marketplace Skin Female
MarketplaceURL_skinMale LinkURL to the Marketplace Skins Male
MarketplaceURL_skirtFemale LinkURL to the Marketplace Skirt Female
MarketplaceURL_skirtMale LinkURL to the Marketplace Skirt Male
MarketplaceURL_socksFemale LinkURL to the Marketplace Socks Female
MarketplaceURL_socksMale LinkURL to the Marketplace Socks Male
MarketplaceURL_tattooFemale LinkURL to the Marketplace Tattoo Female
MarketplaceURL_tattooMale LinkURL to the Marketplace Tattoo Male
MarketplaceURL_underpantsFemale LinkURL to the Marketplace Underwear Female
MarketplaceURL_underpantsMale LinkURL to the Marketplace Underwear Male
MarketplaceURL_undershirtFemale LinkURL to the Marketplace Undershirt Female
MarketplaceURL_undershirtMale LinkURL to the Marketplace Undershirt Male
MaxAttachmentComplexity 1.0E6 Attachment's render weight limit
MaxDragDistance 48.0 Maximum allowed translation distance in a single operation of translate tool (meters from start point)
MaxHeapSize 1.6 Maximum heap size (GB)
MaxPersistentNotifications 250 Maximum amount of persistent notifications
MaxSelectDistance 128.0 Maximum allowed selection distance (meters from avatar)
MaxWearableWaitTime 60.0 Max seconds to wait for wearable assets to fetch.
MePanelOpened 0 Indicates that Me Panel was opened at least once after Viewer was installed
MediaBrowserWindowLimit 5 Maximum number of media brower windows that can be open at once in the media browser floater (0 for no limit)
MediaControlFadeTime 1.5 Amount of time (in seconds) that the media control fades
MediaControlTimeout 3.0 Amount of time (in seconds) for media controls to fade with no mouse activity
MediaEnableFilter 1 Enable media domain filtering
MediaEnablePopups 0 If true, enable targeted links and JavaScript in media to open new media browser windows without a prompt.
MediaFilterSinglePrompt 0 Use a single legacy style dialog for media filter prompt, instead of two seperate allow/deny and whitelist/blacklist prompts.
MediaOnAPrimUI 1 Whether or not to show the “link sharing” UI
MediaPerformanceManagerDebug 0 Whether to show debug data for the media performance manager in the nearby media list.
MediaPluginDebugging 0 Turn on debugging messages that may help diagnosing media issues (WARNING: May reduce performance).
MediaRollOffMax 30.0 Distance at which media volume is set to 0
MediaRollOffMin 10.0 Adjusts the distance at which media attenuation starts
MediaRollOffRate 0.125 Multiplier to change rate of media attenuation
MediaShowOnOthers 0 Whether or not to show media on other avatars
MediaShowOutsideParcel 1 Whether or not to show media from outside the current parcel
MediaShowWithinParcel 1 Whether or not to show media within the current parcel
MediaTentativeAutoPlay 1 This is a tentative flag that may be temporarily set off by the user, until she teleports
MemoryFailurePreventionEnabled 0 If set, the viewer will try to throttle memory allocations when memory is low (32bit systems only)
MemoryLogFrequency 600.0 Seconds between display of Memory in log (0 for never)
MemoryPrivatePoolEnabled 0 Enable the private memory pool management
MemoryPrivatePoolSize 512 Size of the private memory pool in MB (min. value is 256)
MenuAccessKeyTime 0.25 Time (seconds) in which the menu key must be tapped to move focus to the menu bar
MenuBarHeight 18
MenuBarWidth 410
Mesh2MaxConcurrentRequests 8 Number of connections to use for loading meshes.
MeshBytesPerTriangle 16 Approximation of bytes per triangle to use for determining mesh streaming cost.
MeshEnabled 1 Expose UI for mesh functionality (may require restart to take effect).
MeshImportUseSLM 0 Use cached copy of last upload for a dae if available instead of loading dae file from scratch.
MeshMaxConcurrentRequests 16 Number of connections to use for loading meshes (legacy system).
MeshMetaDataDiscount 384 Number of bytes to deduct for metadata when determining streaming cost.
MeshMinimumByteSize 16 Minimum number of bytes per LoD block when determining streaming cost.
MeshTriangleBudget 250000 Target visible triangle budget to use when estimating streaming cost.
MeshUploadFakeErrors 0 Force upload errors (for testing)
MeshUploadLogXML 0 Verbose XML logging on mesh upload
MeshUploadTimeOut 600 Maximum time in seconds for llcurl to execute a mesh uoloading request
MeshUseGetMesh1 If TRUE, use the legacy GetMesh capability for mesh download requests. Semi-dynamic (read at region crossings).
MeshUseHttpRetryAfter If TRUE, use Retry-After response headers when rescheduling a mesh request that fails with an HTTP 503 status. Static.
MigrateCacheDirectory 0 Check for old version of disk cache to migrate to current location
MinObjectsForUnlinkConfirm 0 Minimum amount of objects in linkset for showing confirmation dialog
MinWindowHeight 0 SL viewer minimum window height in pixels
MinWindowWidth 0 SL viewer minimum window width in pixels
MiniMapAutoCenter 1 Center the focal point of the minimap.
MiniMapChatRing 0 Display chat distance ring on mini map
MiniMapCollisionParcels Show collision parcels on the mini-map as they become available
MiniMapForSaleParcels Show for-sale parcels with a yellow highlight on the mini-map
MiniMapObjects Show object layers on the mini-map
MiniMapPrimMaxRadius 16.0 Radius of the largest prim to show on the MiniMap. Increasing beyond 256 may cause client lag.
MiniMapPrimMaxVertDistance 256.0 Max height difference between avatar and prim to be shown on the MiniMap. Set to 0.0 to disable.
MiniMapPropertyLines Show property boundaries on the mini-map
MiniMapRotate 1 Rotate miniature world map to avatar direction
MiniMapScale 128.0 Miniature world map zoom level (pixels per region)
MiniMapWorldMapTextures Use the world map texture tile on the mini-map rather than the terrain texture
MouseLookEnabled 0 Internal, volatile control variable to show if we are currently in mouselook.
MouseSensitivity 3.0 Controls responsiveness of mouse when in mouselook mode (fraction or multiple of default mouse sensitivity)
MouseSmooth 0 Smooths out motion of mouse when in mouselook mode.
MouseSun 0
MuteAmbient 0 Ambient sound effects, such as wind noise, play at 0 volume
MuteAudio 0 All audio plays at 0 volume (streaming audio still takes up bandwidth, for example)
MuteListLimit 1000 Maximum number of entries in the mute list
MuteMedia 0 Media plays at 0 volume (streaming audio still takes up bandwidth)
MuteMusic 0 Music plays at 0 volume (streaming audio still takes up bandwidth)
MuteSounds 0 Sound effects play at 0 volume
MuteUI 0 UI sound effects play at 0 volume
MuteVoice 0 Voice plays at 0 volume (streaming audio still takes up bandwidth)
MuteWhenMinimized 0 Mute audio when SL window is minimized
max_texture_dimension_X 2048 Maximum texture width for user uploaded textures
max_texture_dimension_Y 2048 Maximum texture height for user uploaded textures
moapbeacon 0 Beacon / Highlight media on a prim sources

N

Setting Default Description
NameTagShowDisplayNames 1 Show display names in name labels
NameTagShowFriends 1 Highlight the name tags of your friends
NameTagShowGroupTitles 1 Show group titles in name labels
NameTagShowUsernames 1 Show usernames in avatar name tags
NavBarShowCoordinates 1 Show coordinates in navigation bar
NavBarShowParcelProperties 1 Show parcel property icons in navigation bar
NearByChatChannelUUID E1158BD6-661C-4981-9DAD-4DCBFF062502
NearMeRange 162 Search radius for nearby avatars
NearbyListHideUsernames 0 Show both Display name and Username in Nearby list
NearbyListShowIcons 1 Show/hide people icons in nearby list
NearbyListShowMap 1 Show/hide map above nearby people list (unused by firestorm)
NearbyListShowRange 1 Show range field on nearby avList?
NearbyPeopleSortOrder 3 Specifies sort order for nearby people (0 = by name, 3 = by distance, 4 = by most recent)
NearbyToastFadingTime 3 Number of seconds while a nearby chat toast is fading
NearbyToastLifeTime 23 Number of seconds while a nearby chat toast exists
NearbyToastWidth 33 Width of a the nearby chat toasts in percent of screen width
NewCacheLocation Change the location of the local disk cache to this
NewCacheLocationTopFolder Change the top folder location of the local disk cache to this
NewObjectCreationThrottle 200 maximum number of new objects created per frame, -1 to disable this throttle
NewObjectCreationThrottleDelayTime 2.0 time in seconds NewObjectCreationThrottle to take effect after the progress screen is lifted
NextLoginLocation Location to log into for this session - set from command line or the login panel, cleared following a successfull login.
NextOwnerCopy 0 (obsolete) Newly created objects can be copied by next owner
NextOwnerModify 0 (obsolete) Newly created objects can be modified by next owner
NextOwnerTransfer 1 (obsolete) Newly created objects can be resold or given away by next owner
NoAudio 0 Disable audio playback.
NoHardwareProbe 0 Disable hardware probe.
NoInventoryLibrary 0 Do not request inventory library.
NoPreload 0 Disable sound and image preload.
NoQuickTime 0 Disable QuickTime for a particular viewer run
NoVerifySSLCert 0 Do not verify SSL peers.
NonvisibleObjectsInMemoryTime 300 Number of frames non-visible objects stay in memory before being removed. 0 means never to remove.
NotMovingHintTimeout 120.0 Number of seconds to wait for resident to move before displaying move hint.
NotecardsEveryoneCopy 0 Everyone can copy the newly created notecard
NotecardsNextOwnerCopy 1 Newly created notecards can be copied by next owner
NotecardsNextOwnerModify 1 Newly created notecards can be modified by next owner
NotecardsNextOwnerTransfer 1 Newly created notecards can be resold or given away by next owner
NotecardsShareWithGroup 0 Newly created notecards are shared with the currently active group
NotificationCanEmbedInIM 0 Controls notification panel embedding in IMs (0 = default, 1 = focused, 2 = never)
NotificationChannelHeightRatio 0.5 Notification channel and World View ratio(0.0 - always show 1 notification, 1.0 - max ratio).
NotificationChannelRightMargin 5 Space between toasts and a right border of an area where they can appear
NotificationChannelUUID AEED3193-8709-4693-8558-7452CCA97AE5
NotificationConferenceIMOptions toast Specifies how the UI responds to Conference IM Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationFriendIMOptions toast Specifies how the UI responds to Friend IM Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationGroupChatOptions toast Specifies how the UI responds to Group Chat Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationNearbyChatOptions toast Specifies how the UI responds to Nearby Chat Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationNonFriendIMOptions toast Specifies how the UI responds to Non Friend IM Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationObjectIMOptions toast Specifies how the UI responds to Object IM Notifications. Allowed values: [openconversations,toast,flash,noaction]
NotificationTipToastLifeTime 10 Number of seconds while a notification tip toast exist
NotificationToastLifeTime 30 Number of seconds while a notification toast exists
NotifyBoxHeight 200 Height of notification messages
NotifyBoxWidth 305 Width of notification messages
NotifyMoneyChange 1 Pop up notifications for all L$ transactions
NotifyMoneyReceived 1 Pop up notifications when receiving L$
NotifyMoneySpend 1 Pop up notifications when spending L$
NotifyTipDuration 4.0 Length of time that notification tips stay on screen (seconds)
NumSessions 0 Number of successful logins to Second Life

O

Setting Default Description
ObjectCacheEnabled 1 Enable the object cache.
ObjectCostHighColor 1.0, 0.0, 0.0, 0.75 Color for object a high object cost.
ObjectCostHighThreshold 50.0 Threshold at which object cost is considered high (displayed in red).
ObjectCostLowColor 0.0, 0.5, 1.0, 0.5 Color for object with a low object cost.
ObjectCostMidColor 1.0, 0.75, 0.0, 0.65 Color for object with a medium object cost.
ObjectInspectorTooltipDelay 0.35 Seconds before displaying object inspector tooltip
ObjectsEveryoneCopy 0 Everyone can copy the newly created object
ObjectsNextOwnerCopy 0 Newly created objects can be copied by next owner
ObjectsNextOwnerModify 0 Newly created objects can be modified by next owner
ObjectsNextOwnerTransfer 1 Newly created objects can be resold or given away by next owner
ObjectsShareWithGroup 0 Newly created objects are shared with the currently active group
OctreeAlphaDistanceFactor 0.1, 0.0, 0.0 Multiplier on alpha object distance for determining octree node size
OctreeAttachmentSizeFactor 4 Multiplier on attachment size for determining octree node size
OctreeDistanceFactor 0.01, 0.0, 0.0 Multiplier on distance for determining octree node size
OctreeMaxNodeCapacity 128 Maximum number of elements to store in a single octree node
OctreeMinimumNodeSize 0.01 Minimum size of any octree node
OctreeStaticObjectSizeFactor 3 Multiplier on static object size for determining octree node size
OnlineOfflinetoNearbyChat 0 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OnlineOfflinetoNearbyChatHistory 0 Show online/offline notifications only in chat transcript
OpenDebugStatAdvanced 1 Expand advanced performance stats display
OpenDebugStatBasic 1 Expand basic performance stats display
OpenDebugStatMemory 1 Expand Memory performance stats display
OpenDebugStatNet 1 Expand network stats display
OpenDebugStatPhysicsDetails 0 Expand Physics Details performance stats display
OpenDebugStatRender 1 Expand render stats display
OpenDebugStatSim 1 Expand simulator performance stats display
OpenDebugStatSimPathfinding 0 Expand Pathfinding performance stats display
OpenDebugStatSimTime 1 Expand Simulator Time performance stats display
OpenDebugStatSimTimeDetails 1 Expand Simulator Time Details performance stats display
OpenDebugStatTexture 0 Expand Texture performance stats display
OpenIMOnVoice 0 Open the corresponding IM window when connecting to a voice call.
OpenRegionSettingsEnableDrawDistance 1 Obey the forced max draw distance setting in aurora-sim
OpenSidePanelsInFloaters 0 If true, will always open side panel contents in a floater.
OpensimPrefsAddGrid Transient string for adding new grids in Preferences > Opensim
OutBandwidth 0.0 Outgoing bandwidth throttle (bps)
OutfitGallerySortByName 0 Always sort outfits by name in Outfit Gallery
OutfitOperationsTimeout 180 Timeout for outfit related operations.
OverflowToastHeight 72 Height of an overflow toast
OverlayTitle Set_via_OverlayTitle_in_settings.xml Controls watermark text message displayed on screen when “ShowOverlayTitle” is enabled (one word, underscores become spaces)
OverridePieColors 0 Override the pie menu color defined by the currently selected skin

P

Setting Default Description
PTTCurrentlyEnabled 1 Use Push to Talk mode
PacketDropPercentage 0.0 Percentage of packets dropped by the client.
ParcelMediaAutoPlayEnable 0 Auto play parcel media when available
ParticipantListShowIcons 1 Show/hide people icons in participant list
PathfindingAmbiance 0.5 Ambiance of lit pathfinding navmesh displays.
PathfindingBoundaryEdge 1.0, 0.0, 0.0, 1.0 Color of a boundary (non-crossable) edge when displaying pathfinding navmesh.
PathfindingConnectedEdge 0.86, 0.86, 0.86, 1.0 Color of a connected (crossable) edge when displaying pathfinding navmesh.
PathfindingExclusion 1.0, 1.0, 0.0, 0.3 Color of exclusion volumes when displaying pathfinding navmesh object types.
PathfindingFaceColor 1.0, 1.0, 1.0, 1.0 Color of the faces when displaying the default view of the pathfinding navmesh.
PathfindingHeatColorBase 1.0, 0.0, 0.0, 1.0 Color of the least walkable value when displaying the pathfinding navmesh as a heatmap.
PathfindingHeatColorMax 1.0, 1.0, 1.0, 1.0 Color of the most walkable value when displaying the pathfinding navmesh as a heatmap.
PathfindingLineOffset 2.3 Depth offset of volume outlines in pathfinding display.
PathfindingLineWidth 2.0 Width of volume outlines in pathfinding navmesh display.
PathfindingMaterial 0.5, 0.0, 1.0, 0.3 Color of material volumes when displaying pathfinding navmesh object types.
PathfindingNavMeshClear 0.0, 0.0, 0.0, 1.0 Background color when displaying pathfinding navmesh.
PathfindingObstacle 1.0, 0.0, 0.0, 1.0 Color of static obstacle objects when displaying pathfinding navmesh object types.
PathfindingRetrieveNeighboringRegion 99 Download a neighboring region when visualizing a pathfinding navmesh (default val 99 means do not download neighbors).
PathfindingTestPathColor 1.0, 0.59, 0.0, 0.9 Color of the pathfinding test-path when the path is valid.
PathfindingTestPathInvalidEndColor 1.0, 0.0, 1.0, 1.0 Color of the pathfinding test-pathing tool end-point when the path is invalid.
PathfindingTestPathValidEndColor 0.78, 0.47, 0.0, 1.0 Color of the pathfinding test-pathing tool end-point when the path is valid.
PathfindingWalkable 0.45490196078431372549019607843137, 0.93333333333333333333333333333333, 0.38823529411764705882352941176471, 1.0 Color of walkable objects when displaying pathfinding navmesh object types.
PathfindingWaterColor 0.0, 0.0, 1.0, 1.0 Color of water plane when displaying pathfinding navmesh.
PathfindingXRayOpacity 0.25 Opacity of xray lines in pathfinding display.
PathfindingXRayTint 0.8 Amount to darken/lighten x-ray lines in pathfinding display.
PathfindingXRayWireframe 0 Render pathfinding navmesh xray as a wireframe.
PerAccountSettingsFile Persisted client settings file name (per user).
PermAllowScriptedMedia 0 Allow scripts to control media
PermissionsCautionEnabled 1 When enabled, changes the handling of script permission requests to help avoid accidental granting of certain permissions, such as the debit permission
PermissionsCautionNotifyBoxHeight 344 Height of caution-style notification messages
PickerContextOpacity 0.34999999404 Controls overall opacity of context frustrum connecting color and texture pickers with their swatches
PicksPerSecondMouseMoving 5.0 How often to perform hover picks while the mouse is moving (picks per second)
PicksPerSecondMouseStationary 0.0 How often to perform hover picks while the mouse is stationary (picks per second)
PieMenuFade 0.3 Fade out for the pie menu background towards the edges
PieMenuLineWidth 2.5 Width of lines in pie menu display (pixels)
PieMenuOpacity 0.85 Opacity for the pie menu background
PieMenuOuterRingShade 1 If enabled, a shade around the outside of the pie menu will be drawn, adding a further visualization of sub menus.
PieMenuPopupFontEffect 1 If enabled, the labels in the pie menu slices are affected by the popup effect (they move into position).
PingInterpolate 0 Extrapolate object position along velocity vector based on ping delay
PitchFromMousePosition 90.0 Vertical range over which avatar head tracks mouse position (degrees of head rotation from top of window to bottom)
PlainTextChatHistory 1 Enable/Disable plain text chat transcript style
PlayChatAnim 1 Your avatar plays the chat animation whenever you say, shout or whisper something in nearby chat
PlayModeUISndAlert 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndAlert.
PlayModeUISndBadKeystroke 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndBadKeystroke.
PlayModeUISndClick 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndClick.
PlayModeUISndClickRelease 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndClickRelease.
PlayModeUISndFootsteps 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndFootsteps.
PlayModeUISndFriendOffline 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndFriendOffline.
PlayModeUISndFriendOnline 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndFriendOnline.
PlayModeUISndFriendshipOffer 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndFriendshipOffer.
PlayModeUISndGroupInvitation 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndGroupInvitation.
PlayModeUISndGroupNotice 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndGroupNotice.
PlayModeUISndHealthReductionF 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndHealthReductionF.
PlayModeUISndHealthReductionM 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndHealthReductionM.
PlayModeUISndIncomingVoiceCall 1 Plays a sound when have an incoming voice call. Holds state for Prefs > Sound/Media > UI Sounds - UISndIncomingVoiceCall.
PlayModeUISndInvalidOp 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndInvalidOp.
PlayModeUISndInventoryOffer 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndInventoryOffer.
PlayModeUISndMoneyChangeDown 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndMoneyChangeDown.
PlayModeUISndMoneyChangeUp 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndMoneyChangeUp.
PlayModeUISndMovelockToggle 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndMovelockToggle.
PlayModeUISndNewIncomingConfIMSession 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndNewIncomingConfIMSession. 0 = Mute this sound, 1 = Play only on new session, 2 = Play on every message, 3 = Play only if not in focus. This setting is shared with Chat > Notifications > 'When receiving AdHoc Instant Messages'.
PlayModeUISndNewIncomingGroupIMSession 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndNewIncomingGroupIMSession. 0 = Mute this sound, 1 = Play only on new session, 2 = Play on every message, 3 = Play only if not in focus. This setting is shared with Chat > Notifications > 'When receiving Group Instant Messages'.
PlayModeUISndNewIncomingIMSession 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndNewIncomingIMSession. 0 = Mute this sound, 1 = Play only on new session, 2 = Play on every message, 3 = Play only if not in focus. This setting is shared with Chat > Notifications > 'When receiving Instant Messages'.
PlayModeUISndObjectCreate 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndObjectCreate.
PlayModeUISndObjectDelete 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndObjectDelete.
PlayModeUISndObjectRezIn 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndObjectRezIn.
PlayModeUISndObjectRezOut 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndObjectRezOut.
PlayModeUISndPieMenuAppear 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuAppear.
PlayModeUISndPieMenuHide 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuHide.
PlayModeUISndPieMenuSliceHighlight0 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight0.
PlayModeUISndPieMenuSliceHighlight1 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight1.
PlayModeUISndPieMenuSliceHighlight2 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight2.
PlayModeUISndPieMenuSliceHighlight3 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight3.
PlayModeUISndPieMenuSliceHighlight4 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight4.
PlayModeUISndPieMenuSliceHighlight5 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight5.
PlayModeUISndPieMenuSliceHighlight6 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight6.
PlayModeUISndPieMenuSliceHighlight7 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndPieMenuSliceHighlight7.
PlayModeUISndQuestionExperience 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndQuestionExperience.
PlayModeUISndRadarAgeAlert 0 If enabled: plays the sound when the age alert for an avatar is triggered.
PlayModeUISndRadarChatEnter 0 If enabled: plays the sound when avatars enter chat range. Also depends on RadarReportChatRangeEnter.
PlayModeUISndRadarChatLeave 0 If enabled: plays the sound when avatars leave chat range. Also depends on RadarReportChatRangeLeave.
PlayModeUISndRadarDrawEnter 0 If enabled: plays the sound when avatars enter draw distance. Also depends on RadarReportDrawRangeEnter.
PlayModeUISndRadarDrawLeave 0 If enabled: plays the sound when avatars leave draw distance. Also depends on RadarReportDrawRangeLeave.
PlayModeUISndRadarSimEnter 0 If enabled: plays the sound when avatars enter the region. Also depends on RadarReportSimRangeEnter.
PlayModeUISndRadarSimLeave 0 If enabled: plays the sound when avatars leave the region. Also depends on RadarReportSimRangeLeave.
PlayModeUISndRestart 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndRestart.
PlayModeUISndRestartOpenSim 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndRestartOpenSim.
PlayModeUISndScriptFloaterOpen 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndScriptFloaterOpen.
PlayModeUISndSnapshot 0 Take snapshots to disk without playing animation or sound. Originally QuietSnapshotsToDisk.
PlayModeUISndStartIM 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndStartIM.
PlayModeUISndTeleportOffer 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndTeleportOffer.
PlayModeUISndTeleportOut 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndTeleportOut. Plays the whoosh teleport sound!
PlayModeUISndTrackerBeacon 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndTrackerBeacon.
PlayModeUISndTyping 1 Hear the typing sound when others type in to local chat. Originally FSPlayTypingSound.
PlayModeUISndWindowClose 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndWindowClose.
PlayModeUISndWindowOpen 1 Holds state for Prefs > Sound/Media > UI Sounds - UISndWindowOpen.
PlaySoundConferenceIM 0 Plays a sound when conference IM received.
PlaySoundFriendIM 0 Plays a sound when friend's IM received.
PlaySoundGroupChatIM 0 Plays a sound when group chat IM received.
PlaySoundNearbyChatIM 0 Plays a sound when nearby chat IM received.
PlaySoundNonFriendIM 0 Plays a sound when non-friend's IM received.
PlaySoundObjectIM 0 Plays a sound when IM fom an object received.
PlayTypingAnim 1 Your avatar plays the typing animation whenever you type in the chat bar
PluginAttachDebuggerToPlugins 0 If true, attach a debugger session to each plugin process as it's launched.
PluginInstancesCPULimit 0.9 Amount of total plugin CPU usage before inworld plugins start getting turned down to “slideshow” priority. Set to 0 to disable this check.
PluginInstancesLow 4 Limit on the number of inworld media plugins that will run at “low” priority
PluginInstancesNormal 2 Limit on the number of inworld media plugins that will run at “normal” or higher priority
PluginInstancesTotal 8 Hard limit on the number of plugins that will be instantiated at once for inworld media
PluginUseReadThread 0 Use a separate thread to read incoming messages from plugins
PoolSizeAIS 1 Coroutine Pool size for AIS
PoolSizeAssetStorage 12 Coroutine Pool size for AssetStorage requests
PoolSizeUpload 1 Coroutine Pool size for Upload
PostFirstLoginIntroURL URL of intro presentation after first time users first login
PostFirstLoginIntroViewed 0 Flag indicating if user has seen intro presentation after first time users first login
PrecachingDelay 6.0 Delay when logging in to load world before showing it (seconds)
PreferredBrowserBehavior 1 Use system browser for any links (0), use builtin browser for SL links and system one for others (1) or use builtin browser only (2).
PreferredMaturity 13 Setting for the user's preferred maturity level (consts in indra_constants.h)
PresetGraphicActive Name of currently selected preference
PreviewAmbientColor 0.0, 0.0, 0.0, 1.0 Ambient color of preview render.
PreviewDiffuse0 1.0, 1.0, 1.0, 1.0 Diffuse color of preview light 0.
PreviewDiffuse1 0.25, 0.25, 0.25, 1.0 Diffuse color of preview light 1.
PreviewDiffuse2 1.0, 1.0, 1.0, 1.0 Diffuse color of preview light 2.
PreviewDirection0 -0.75, 1, 1.0 Direction of light 0 for preview render.
PreviewDirection1 0.5, -0.6, 0.4 Direction of light 1 for preview render.
PreviewDirection2 0.5, -0.8, 0.3 Direction of light 2 for preview render.
PreviewSpecular0 1.0, 1.0, 1.0, 1.0 Diffuse color of preview light 0.
PreviewSpecular1 1.0, 1.0, 1.0, 1.0 Diffuse color of preview light 1.
PreviewSpecular2 1.0, 1.0, 1.0, 1.0 Diffuse color of preview light 2.
PrimMediaControlsUseHoverControlSet 0 Whether or not hovering over prim media uses minimal “hover” controls or the authored control set.
PrimMediaDragNDrop 1 Enable drag and drop of URLs onto prim faces
PrimMediaMasterEnabled 1 Whether or not Media on a Prim is enabled.
PrimMediaMaxRetries 4 Maximum number of retries for media queries.
PrimMediaMaxRoundRobinQueueSize 100000 Maximum number of objects the viewer will continuously update media for
PrimMediaMaxSortedQueueSize 100000 Maximum number of objects the viewer will load media for initially
PrimMediaRequestQueueDelay 1.0 Timer delay for fetching media from the queue (in seconds).
PrimMediaRetryTimerDelay 5.0 Timer delay for retrying on media queries (in seconds).
PrimTextMaxDrawDistance 64.0 Maximum draw distance beyond which PRIM_TEXT won't be rendered
PrivateLocalLookAtTarget 0 If true, your avatar's lookat target will not affect your local display. Head/Eye movement that normally would follow a lookat target will not be shown to you.
PrivateLookAtTarget 0 If true, viewer shows simulated look-at behavior to others.
PrivatePointAtTarget 0 If true, viewer won't show the editing arm motion.
ProbeHardwareOnStartup 1 Query current hardware configuration on application startup
PurgeCacheOnNextStartup 0 Clear local file cache next time viewer is run
PurgeCacheOnStartup 0 Clear local file cache every time viewer is run
PushToTalkButton MiddleMouse Which button or keyboard key is used for push-to-talk
PushToTalkToggle 0 Should the push-to-talk button behave as a toggle
particlesbeacon 0 Beacon / Highlight particle generators
physicalbeacon 0 Beacon / Highlight physical objects

Q

Setting Default Description
QAMode 0 Enable Testing Features.
QAModeEventHostPort -1 DEPRECATED: Port on which lleventhost should listen
QAModeMetrics 0 “Enables QA features (logging, faster cycling) for metrics collector”
QAModeTermCode -1 On LL_ERRS, terminate with this code instead of OS message box
QueueInventoryFetchTimeout 300.0 Max time llcompilequeue will wait for inventory fetch to complete (in seconds)
QuickBuyCurrency 0 Toggle between HTML based currency purchase floater and legacy XUI version
QuickPrefsEditMode 0 Internal, volatile control that defines if the quickprefs floater is in edit mode.
QuickPrefsSelectedControl Internal, volatile control that holds the currently selected control. Used for enabling/disabling editor widgets.
QuitAfterSeconds 0.0 The duration allowed before quitting.
QuitAfterSecondsOfAFK 0 The duration allowed after being AFK before quitting.
QuitOnLoginActivated 0 Quit if login page is activated (used when auto login is on and users must not be able to login manually)

R

Setting Default Description
RLVaCompatibilityModeList Contains a list of creators or partial items names that require compatibility mode handling (see wiki for more information and syntax)
RLVaDebugDeprecateExplicitPoint Ignore attachment point names on inventory items and categories (incomplete)
RLVaDebugHideUnsetDuplicate Suppresses reporting “unset” or “duplicate” command restrictions when RestrainedLoveDebug is TRUE
RLVaEnableCompositeFolders Enables composite folders for shared inventory
RLVaEnableIMQuery Enables a limited number of configuration queries via IM (e.g. @version)
RLVaEnableLegacyNaming Enables legacy naming convention for folders
RLVaEnableSharedWear Attachments in the shared #RLV folder can be force-attached without needing to specify an attachment point
RLVaEnableTemporaryAttachments Allows temporary attachments (regardless of origin) to issue RLV commands
RLVaExperimentalCommands Enables the experimental command set
RLVaHideLockedAttachments Hides non-detachable worn attachments from @getattach
RLVaHideLockedLayers Hides “remove outfit” restricted worn clothing layers from @getoufit
RLVaSharedInvAutoRename Automatically renames shared inventory items when worn
RLVaShowAssertionFailures Notify the user when an assertion fails
RLVaTopLevelMenu Show the RLVa specific menu as a top level menu
RLVaWearReplaceUnlocked Don't block wear replace when at least one attachment on the target attachment point is non-detachable
RadarAlertChannel -777777777 Channel for whispering radar alerts
RadarAvatarAgeAlert 0 Toggles whether radar sends out chat alerts when it detects an avatar younger than a pre-defined age
RadarAvatarAgeAlertValue 7 Defines how old an avatar may be at maximum for the age alert to get triggered
RadarEnterChannelAlert 0 Toggles whether radar sends out chat alerts when it detects a new avatar
RadarLeaveChannelAlert 0 Toggles whether radar sends out chat alerts when it detects an avatar has left
RadarLegacyChannelAlertRefreshUUID 76c78607-93f9-f55a-5238-e19b1a181389 UUID of sound asset that when detected, will request a full radar channel alert update
RadarNameFormat 0 0=DisplayName,1=Username,2=Displayname/Username,3=Username/Displayname
RadarReportChatRangeEnter 0 Display a chat message when avatar enters chat distance
RadarReportChatRangeLeave 0 Display a chat message when avatar leaves chat distance
RadarReportDrawRangeEnter 0 Display a chat message when avatar enters draw distance
RadarReportDrawRangeLeave 0 Display a chat message when avatar leaves draw distance
RadarReportSimRangeEnter 0 Display a chat message when avatar enteres local region
RadarReportSimRangeLeave 0 Display a chat message when avatar leaves local region
RadioLandBrushAction 0 Last selected land modification operation (0 = flatten, 1 = raise, 2 = lower, 3 = smooth, 4 = roughen, 5 = revert)
RadioLandBrushSize 0 Size of land modification brush (0 = small, 1 = medium, 2 = large)
RecentItemsSortOrder 1 Specifies sort key for recent inventory items (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
RecentListShowIcons 1 Show/hide people icons in recent list
RecentPeopleSortOrder 2 Specifies sort order for recent people (0 = by name, 2 = by most recent)
RectangleSelectInclusive 1 Select objects that have at least one vertex inside selection rectangle
RegInClient 0 Experimental: Embed registration in login screen
RegionCheckTextureHeights 1 Don't allow user to set low heights greater than high
RegionTextureSize 256 Terrain texture dimensions (power of 2)
RelockMoveLockAfterRegionChange 1 TRUE: Re-lock movelock after region change - refresh avatar position and send to LSL-Client Bridge script. FALSE: Disengage the lock automatically after region change.
RememberPassword 1 Keep password (in encrypted form) for next login
RenderAnimateRes 0 Animate rezing prims.
RenderAnisotropic 0 Render textures using anisotropic filtering
RenderAppleUseMultGL 0 Whether we want to use multi-threaded OpenGL on Apple hardware (requires restart of SL).
RenderAttachedLights 1 Render lighted prims that are attached to avatars
RenderAttachedParticles 1 Render particle systems that are attached to avatars
RenderAutoHideSurfaceAreaLimit 10.0E6 Maximum surface area of a set of proximal objects inworld before automatically hiding geometry to prevent system overload.
RenderAutoMaskAlphaDeferred 1 Use alpha masks where appropriate in the Advanced Lighting Model
RenderAutoMaskAlphaNonDeferred 1 Use alpha masks where appropriate when not using the Advanced Lighting Model
RenderAutoMuteByteLimit 0 OBSOLETE and UNUSED.
RenderAutoMuteLogging 0 Show extra information in viewer logs about avatar rendering costs
RenderAutoMuteRenderWeightLimit 0 OBSOLETE. This setting has been renamed RenderAvatarMaxNonImpostors.
RenderAutoMuteSurfaceAreaLimit 1000.0 Maximum surface area of attachments before an avatar is rendered as a simple impostor (to not use this limit, set to zero or set RenderAvatarMaxComplexity to zero).
RenderAvatar 1 Render Avatars
RenderAvatarCloth 1 Controls if avatars use wavy cloth
RenderAvatarLODFactor 0.5 Controls level of detail of avatars (multiplier for current screen area when calculated level of detail)
RenderAvatarMaxComplexity 0 Maximum Avatar Complexity; above this value, the avatar is rendered as a solid color outline (0 to disable this limit).
RenderAvatarMaxNonImpostors 12 Maximum number of avatars to fully render at one time; over this limit uses impostor rendering (simplified rendering with less frequent updates), reducing client lag.
RenderAvatarMaxVisible 0 OBSOLETE and UNUSED. See RenderAvatarMaxNonImpostors
RenderAvatarPhysicsLODFactor 1.0 Controls level of detail of avatar physics (such as breast physics).
RenderAvatarVP 1 Use vertex programs to perform hardware skinning of avatar
RenderBakeSunlight 0 Bake sunlight into vertex buffers for static objects.
RenderBumpmapMinDistanceSquared 100.0 Maximum distance at which to render bumpmapped primitives (distance in meters, squared)
RenderComplexityColorMax 1.0, 0.0, 0.0, 0.5 Unused obsolete setting
RenderComplexityColorMid 0.0, 1.0, 0.0, 0.5 Unused obsolete setting
RenderComplexityColorMin 0.0, 0.0, 1.0, 0.5 Unused obsolete setting
RenderComplexityStaticMax -1 Unused obsolete setting
RenderComplexityThreshold -1 Unused obsolete setting
RenderCompressTextures 0 Enable texture compression on OpenGL 3.0 and later implementations (EXPERIMENTAL, requires restart)
RenderCubeMap 1 Whether we can render the cube map or not
RenderDebugAlphaMask 0.5 Test Alpha Masking Cutoffs.
RenderDebugGL 0 Enable strict GL debugging.
RenderDebugNormalScale 0.03 Scale of normals in debug display.
RenderDebugPipeline 0 Enable strict pipeline debugging.
RenderDebugTextureBind 0 Enable texture bind performance test.
RenderDeferred 0 Use deferred rendering pipeline (Advanced Lighting Model).
RenderDeferredAlphaSoften 0.75 Scalar for softening alpha surfaces (for soft particles).
RenderDeferredAtmospheric 1 Execute atmospheric shader in deferred renderer.
RenderDeferredBlurLight 1 Execute shadow softening shader in deferred renderer.
RenderDeferredDisplayGamma 2.2 Gamma ramp exponent for final correction before display gamma.
RenderDeferredNoise 4.0 Noise scalar to hide banding in deferred render.
RenderDeferredSSAO 1 Execute screen space ambient occlusion shader in deferred renderer.
RenderDeferredSpotShadowBias -64.0 Bias value for spot shadows (prevent shadow acne).
RenderDeferredSpotShadowOffset 0.8 Offset value for spot shadows (prevent shadow acne).
RenderDeferredSun 1 Execute sunlight shader in deferred renderer.
RenderDeferredSunWash 0.5 Amount local lights are washed out by sun.
RenderDeferredTreeShadowBias 1.0 Bias value for tree shadows (prevent shadow acne).
RenderDeferredTreeShadowOffset 1.0 Offset value for tree shadows (prevent shadow acne).
RenderDelayCreation 0 Throttle creation of drawables.
RenderDelayVBUpdate 0 Delay vertex buffer updates until just before rendering
RenderDepthOfField 0 Whether to use depth of field effect when Advanced Lighting Model is enabled
RenderDepthOfFieldInEditMode 0 Whether to use depth of field effect when in edit mode
RenderDepthPrePass 0 EXPERIMENTAL: Prime the depth buffer with simple prim geometry before rendering with textures.
RenderDynamicLOD 1 Dynamically adjust level of detail.
RenderEdgeDepthCutoff 0.01 Cutoff for depth difference that amounts to an edge.
RenderEdgeNormCutoff 0.25 Cutoff for normal difference that amounts to an edge.
RenderFSAASamples 0 Number of samples to use for FSAA (0 = no AA).
RenderFarClip 256.0 Distance of far clip plane from camera (meters)
RenderFlexTimeFactor 1.0 Controls level of detail of flexible objects (multiplier for amount of time spent processing flex objects)
RenderFogRatio 4.0 Distance from camera where fog reaches maximum density (fraction or multiple of far clip distance)
RenderGLCoreProfile 0 Don't use a compatibility profile OpenGL context. Requires restart. Basic shaders MUST be enabled.
RenderGamma 0.0 Sets gamma exponent for renderer
RenderGammaFull 1.0 Use fully controllable gamma correction, instead of faster, hard-coded gamma correction of 2.
RenderGlow 1 Render bloom post effect.
RenderGlowIterations 2 Number of times to iterate the glow (higher = wider and smoother but slower)
RenderGlowLumWeights 1.0, 0.0, 0.0 Weights for each color channel to be used in calculating luminance (should add up to 1.0)
RenderGlowMaxExtractAlpha 0.25 Max glow alpha value for brightness extraction to auto-glow.
RenderGlowMinLuminance 1.0 Min luminance intensity necessary to consider an object bright enough to automatically glow. (Gets clamped at 1.0)
RenderGlowResolutionPow 9 Glow map resolution power of two.
RenderGlowStrength 0.35 Additive strength of glow.
RenderGlowWarmthAmount 0.0 Amount of warmth extraction to use (versus luminance extraction). 0 = lum, 1.0 = warmth
RenderGlowWarmthWeights 1.0, 0.5, 0.7 Weight of each color channel used before finding the max warmth
RenderGlowWidth 1.3 Glow sample size (higher = wider and softer but eventually more pixelated)
RenderGround 1 Determines whether we can render the ground pool or not
RenderHUDInSnapshot 0 Display HUD attachments in snapshot
RenderHUDObjectsWarning 1000 Viewer will warn user about HUD containing to many objects if objects count is above this value
RenderHUDOversizedTexturesWarning 6 How many textures with size 1024 * 1024 or bigger HUD can contain before notifying user
RenderHUDParticles 0 Display particle systems in HUD attachments (experimental)
RenderHUDTexturesMemoryWarning 32000000 Viewer will warn user about HUD textures using memory above this value (in bytes)
RenderHUDTexturesWarning 200 Viewer will warn user about HUD containing to many textures if texture count is above this value
RenderHiddenSelections 0 Show selection lines on objects that are behind other objects
RenderHideGroupTitle 0 Don't show my group title in my name label
RenderHighlightBrightness 4.0 Brightness of mouseover highlights.
RenderHighlightColor 0.4, 0.98, 0.93, 1.0 Brightness of mouseover highlights.
RenderHighlightFadeTime 0.1 Transition time for mouseover highlights.
RenderHighlightSelections 1 Show selection outlines on objects
RenderHighlightThickness 0.6 Thickness of mouseover highlights.
RenderHoverGlowEnable 0 Show glow effect when hovering on interactive objects.
RenderInitError 0 Error occured while initializing GL
RenderLightRadius 0 Render the radius of selected lights
RenderLocalLights 1 Whether or not to render local lights.
RenderMaxNodeSize 65536 Maximum size of a single node's vertex data (in KB).
RenderMaxPartCount 4096 Maximum number of particles to display on screen
RenderMaxTextureIndex 16 Maximum texture index to use for indexed texture rendering.
RenderMaxVBOSize 512 Maximum size of a vertex buffer (in KB).
RenderMinimumLODTriangleCount 16 Triangle count threshold at which automatic LOD generation stops
RenderNameFadeDuration 1.0 Time interval over which to fade avatar names (seconds)
RenderNameShowSelf 1 Display own name above avatar
RenderNameShowTime 10.0 Fade avatar names after specified time (seconds)
RenderNoAlpha 0 Disable rendering of alpha objects (render all alpha objects as alpha masks).
RenderNormalMapScale 64.0 Scaler applied to height map when generating normal maps
RenderObjectBump 1 Show bumpmapping on primitives
RenderParcelSelection 1 Display selected parcel outline
RenderPerformanceTest 0 Disable rendering of everything but in-world content for performance testing
RenderPreferStreamDraw 0 Use GL_STREAM_DRAW in place of GL_DYNAMIC_DRAW
RenderQualityPerformance 1 Which graphics settings you've chosen
RenderReflectionDetail 2 Detail of reflection render pass.
RenderReflectionRes 64 Reflection map resolution.
RenderResolutionDivisor 1 Divisor for rendering 3D scene at reduced resolution.
RenderSSAOEffect 0.80, 1.00, 0.00 Multiplier for (1) value and (2) saturation (HSV definition), for areas which are totally occluded. Blends with original color for partly-occluded areas. (Third component is unused.)
RenderSSAOFactor 0.30 Occlusion sensitivity factor for ambient occlusion (larger is more)
RenderSSAOMaxScale 200 Maximum screen radius for sampling (pixels)
RenderSSAOScale 500.0 Scaling factor for the area to sample for occluders (pixels at 1 meter away, inversely varying with distance)
RenderSculptSAThreshold 150.0 The surface area at which sculpts begin to be considered for being made invisible.
RenderShaderLODThreshold 1.0 Fraction of draw distance defining the switch to a different shader LOD
RenderShaderLightingMaxLevel 3 Max lighting level to use in the shader (class 3 is default, 2 is less lights, 1 is sun/moon only. Works around shader compiler bugs on certain platforms.)
RenderShaderParticleThreshold 0.25 Fraction of draw distance to not use shader on particles
RenderShadowBias -0.008 Bias value for shadows (prevent shadow acne).
RenderShadowBiasError -0.007 Error scale for shadow bias (based on altitude).
RenderShadowBlurDistFactor 0 Distance scaler for shadow blur.
RenderShadowBlurSamples 4 Number of samples to take for each pass of shadow blur (value range 1-16). Actual number of samples is value * 2 - 1.
RenderShadowBlurSize 1.4 Scale of shadow softening kernel.
RenderShadowClipPlanes 1.0, 12.0, 32.0 Near clip plane split distances for shadow map frusta.
RenderShadowDetail 2 Detail of shadows.
RenderShadowErrorCutoff 5.0 Cutoff error value to use ortho instead of perspective projection.
RenderShadowFOVCutoff 0.8 Cutoff FOV to use ortho instead of perspective projection.
RenderShadowGaussian 3.0, 2.0, 0.0 Gaussian coefficients for the two shadow/SSAO blurring passes (z component unused).
RenderShadowNearDist 256, 256, 256 Near clip plane of shadow camera (affects precision of depth shadows).
RenderShadowNoise -0.0001 Magnitude of noise on shadow samples.
RenderShadowOffset 0.01 Offset value for shadows (prevent shadow acne).
RenderShadowOffsetError 0.0 Error scale for shadow offset (based on altitude).
RenderShadowOrthoClipPlanes 4.0, 8.0, 24.0 Near clip plane split distances for orthographic shadow map frusta.
RenderShadowProjExponent 0.5 Exponent applied to transition between ortho and perspective shadow projections based on viewing angle and light vector.
RenderShadowProjOffset 2.0 Amount to scale distance to virtual origin of shadow perspective projection.
RenderShadowResolutionScale 1.0 Scale of shadow map resolution vs. screen resolution
RenderShadowSlopeThreshold 0.0 Cutoff slope value for points to affect perspective shadow generation
RenderShadowSplitExponent 3.0, 3.0, 2.0 Near clip plane split distances for shadow map frusta (x=perspective, y=ortho, z=transition rate).
RenderSpecularExponent 368.0 Specular exponent for generating spec map
RenderSpecularPrecision 0 Force 32-bit floating point LUT
RenderSpecularResX 1024 Spec map resolution.
RenderSpecularResY 256 Spec map resolution.
RenderSpotLightsInNondeferred 0 Whether to support projectors as spotlights when Advanced Lighting Model is disabled
RenderSpotShadowBias -0.001 Bias value for shadows (prevent shadow acne).
RenderSpotShadowOffset 0.04 Offset value for shadows (prevent shadow acne).
RenderSunDynamicRange 1.0 Defines what percent brighter the sun is than local point lights (1.0 = 100% brighter. Value should not be less than 0. ).
RenderSynchronousOcclusion 1 Don't let occlusion queries get more than one frame behind (block until they complete).
RenderTerrainDetail 1 Detail applied to terrain texturing (0 = none, 1 = full)
RenderTerrainLODFactor 1.0 Controls level of detail of terrain (multiplier for current screen area when calculated level of detail)
RenderTerrainScale 12.0 Terrain detail texture scale
RenderTextureMemoryMultiple 1.0 Multiple of texture memory value to use (should fit: 0 < value ⇐ 1.0)
RenderTrackerBeacon 1 Display tracking arrow and beacon to target avatar, teleport destination
RenderTransparentWater 1 Render water as transparent. Setting to false renders water as opaque with a simple texture applied.
RenderTreeLODFactor 0.5 Controls level of detail of vegetation (multiplier for current screen area when calculated level of detail)
RenderUIBuffer 0 Cache ui render in a screen aligned buffer.
RenderUIInSnapshot 0 Display user interface in snapshot
RenderUnloadedAvatar 0 Show avatars which haven't finished loading
RenderUseFarClip 1 If false, frustum culling will ignore far clip plane.
RenderUseImpostors 0 OBSOLETE and UNUSED. See RenderAvatarMaxNonImpostors and RenderAvatarMaxComplexity.
RenderUseStreamVBO 1 Use VBO's for stream buffers
RenderUseTransformFeedback 0 [EXPERIMENTAL] Use transform feedback shaders for LoD updates
RenderUseTriStrips 0 Use triangle strips for rendering prims.
RenderUseVAO 0 [EXPERIMENTAL] Use GL Vertex Array Objects.
RenderVBOEnable 1 Use GL Vertex Buffer Objects
RenderVBOMappingDisable 1 Disable VBO glMapBufferARB
RenderVolumeLODFactor 2.0 Influences the distance at which the viewer will display a lower detail model. Higher values = more lag. IMPORTANT: Please disregard advice to increase this value, such as is commonly distributed in notecards.
RenderVolumeSAFrameMax 5000.0 The limit(per frame) at which the sum of all volumes above the surface area threshold that causes all further sculpts/volumes above the threshold to stop being drawn..
RenderVolumeSAProtection 0 Enables automatic derendering of prims with high surface area (can protect against some video card crashers)
RenderVolumeSAThreshold 75.0 The surface area at which volumes begin to be considered for being made invisible.
RenderWater 1 Display water
RenderWaterMaterials 0 Water planar reflections include materials rendering.
RenderWaterMipNormal 1 Use mip maps for water normal map.
RenderWaterRefResolution 512 Water planar reflection resolution.
ReplaySession 0 Request replay of previously-recorded pilot file
ReportBugURL LinkURL used for filing bugs from viewer
RequestFullRegionCache 1 If set, ask sim to send full region object cache. Needs to restart viewer.
ResetToolbarSettings 0 If enabled, reset some skin-specific settings next relog
ResetViewTurnsAvatar 0 This option keeps the camera direction and turns the avatar when Reset View is selected (hit ESC key).
RestoreCameraPosOnLogin 0 Reset camera position to location at logout
RestoreGlobalSettings 1 Defines if the global settings should be restored when doing a settings restore.
RestorePerAccountSettings 1 Defines if the per account settings should be restored when doing a settings restore.
RestrainedLove Toggles the RestrainedLove features (BDSM lockable toys support). Needs a restart of the viewer.
RestrainedLoveCanOOC Allows sending OOC chat when send chat restricted, or seeing OOC chat when receive chat restricted
RestrainedLoveDebug Toggles the RestrainedLove debug mode (displays the commands when in debug mode).
RestrainedLoveForbidGiveToRLV When TRUE, forbids to give sub-folders to the #RLV RestrainedLove folder.
RestrainedLoveNoSetEnv When TRUE, forbids to set the environment (time of day and Windlight settings) via RestrainedLove. Needs a restart of the viewer.
RestrainedLoveReplaceWhenFolderBeginsWith If a folder name begins with this string, its attach behavior will always be “replace”, never “stack”. Default is blank (disabled).
RestrainedLoveShowEllipsis When TRUE, show “…” when someone speaks, while the avatar is prevented from hearing. When FALSE, don't show anything.
RestrainedLoveStackWhenFolderBeginsWith + If a folder name begins with this string, its attach behavior will always be “stack”, never “replace”. Default is “+”.
RevokePermsOnStopAnimation 1 Clear animation permssions when choosing “Stop Animating Me”
RezUnderLandGroup 1 Rez objects under land group when possible.
RotateRight 0 Make the agent rotate to its right.
RotationStep 1.0 All rotations via rotation tool are constrained to multiples of this unit (degrees)
RunMultipleThreads 0 If TRUE keep background threads active during render. No longer used; always treated as TRUE.
renderbeacons 0 Beacon / Highlight particle generators
renderhighlights 1 Beacon / Highlight scripted objects with touch function

S

Setting Default Description
SLURLDragNDrop 1 Enable drag and drop of SLURLs onto the viewer
SLURLPassToOtherInstance 1 Pass execution to prevoius viewer instances if there is a given slurl
SLURLTeleportDirectly 0 Clicking on a slurl will teleport you directly instead of opening places panel
SafeMode 0 Reset preferences, run in safe mode.
SaveMinidump 0 Save minidump for developer debugging on crash
SaveMinidumpType 1 Type of minidump that is created (0 - minimal, 1 - normal [default], 2 - extended)
ScaleShowAxes 0 Show indicator of selected scale axis when scaling
ScaleStretchTextures 1 Stretch textures along with object when scaling
ScaleUniform 0 Scale selected objects evenly about center of selection
SceneLoadFrontPixelThreshold 100.0 in pixels, all objects in view frustum whose screen area is greater than this threshold will be loaded
SceneLoadHighMemoryBound 1024 in MB, when total memory usage above this threshold, minimum invisible objects are kept in memory
SceneLoadLowMemoryBound 750 in MB, when total memory usage above this threshold, start to reduce invisible objects kept in memory
SceneLoadMinRadius 32.0 in meters, all objects (visible or invisible) within this radius will remain loaded in memory
SceneLoadRearMaxRadiusFraction 75.0 a percentage of draw distance beyond which all objects outside of view frustum will be unloaded, regardless of pixel threshold
SceneLoadRearPixelThreshold 400.0 in pixels, all objects out of view frustum whose screen area is greater than this threshold will remain loaded
SceneLoadingMonitorEnabled 0 Enabled scene loading monitor if set
SceneLoadingMonitorPixelDiffThreshold 0.02 Amount of pixels changed required to consider the scene as still loading (square root of fraction of pixels on screen)
SceneLoadingMonitorSampleTime 0.25 Time between screen samples when monitor scene load (seconds)
ScriptDialogLimitations 1 Limits amount of dialogs per script (0 - per object, 1 - per channel, 2 - per channel for attachments, 3 - per channel for HUDs, 4 - unconstrained for HUDs, 5 - unconstrained)
ScriptDialogsPosition 3 Holds the position where script llDialog floaters will show up. 1 = docked to chiclet, 2 = top left, 3 = top right, 4 = bottom left, 5 = bottom right
ScriptHelpFollowsCursor 0 Scripting help window updates contents based on script editor contents under text cursor
ScriptsCanShowUI 1 Allow LSL calls (such as LLMapDestination) to spawn viewer UI
ScriptsEveryoneCopy 0 Everyone can copy the newly created script
ScriptsNextOwnerCopy 0 Newly created scripts can be copied by next owner
ScriptsNextOwnerModify 0 Newly created scripts can be modified by next owner
ScriptsNextOwnerTransfer 1 Newly created scripts can be resold or given away by next owner
ScriptsShareWithGroup 0 Newly created scripts are shared with the currently active group
SearchFromAddressBar 1 Can enter search queries into navigation address bar
SearchURL LinkURL for Search website, displayed in the Find floater
SearchURLDebug Debug URL for Search website. Overrides any other search URL if DebugSearch is true. Displayed in the Find floater
SearchURLOpenSim LinkFallback URL for Search website if the loginservice doesn't provide a search URL. Displayed in the Find floater
SecondLifeEnterprise 0 Enables Second Life Enterprise features
SelectMovableOnly 0 Select only objects you can move
SelectOwnedOnly 0 Select only objects you own
SelectionHighlightAlpha 0.20000000596 Opacity of selection highlight (0.0 = completely transparent, 1.0 = completely opaque)
SelectionHighlightAlphaTest 0.1 Alpha value below which pixels are displayed on selection highlight line (0.0 = show all pixels, 1.0 = show now pixels)
SelectionHighlightThickness 0.00999999977648 Thickness of selection highlight line (fraction of view distance)
SelectionHighlightUAnim 0.0 Rate at which texture animates along U direction in selection highlight line (fraction of texture per second)
SelectionHighlightUScale 0.1 Scale of texture display on selection highlight line (fraction of texture size)
SelectionHighlightVAnim 0.5 Rate at which texture animates along V direction in selection highlight line (fraction of texture per second)
SelectionHighlightVScale 1.0 Scale of texture display on selection highlight line (fraction of texture size)
ServerChoice 0 [DO NOT MODIFY] Controls which grid you connect to
SessionSettingsFile Settings that are a applied per session (not saved).
SettingsBackupPath Path where settings were last backed up.
ShareWithGroup 0 (obsolete) Newly created objects are shared with the currently active group
ShowAdultClassifieds 0 Display results of find classifieds that are flagged as adult
ShowAdultEvents 0 Display results of find events that are flagged as adult
ShowAdultGroups 0 Display results of find groups that are flagged as adult
ShowAdultLand 0 Display results of find land sales that are flagged as adult
ShowAdultSearchAll 0 Display results of search All that are flagged as adult
ShowAdultSims 0 Display results of find places or find popular that are in adult sims
ShowAllObjectHoverTip 0 Show descriptive tooltip when mouse hovers over non-interactive and interactive objects.
ShowAxes 0 Render coordinate frame at your position
ShowBanLines 1 Show in-world ban/access borders
ShowBetaGrids 1 Display the beta grids in the grid selection control.
ShowChatMiniIcons 1 Toggles the display of mini icons in chat transcript
ShowConsoleWindow 0 Show log in separate OS window
ShowCrosshairs 1 Display crosshairs when in mouselook mode
ShowDebugConsole 0 Show log in SL window
ShowDeviceSettings 0 Show device settings
ShowEmptyFoldersWhenSearching 1 Shows folders that do not have any visible contents when applying a filter to inventory
ShowEventRecorderMenuItems 0 Whether or not Event Recorder menu choices - Start / Stop event recording should appear in the (currently) Develop menu
ShowGroupNoticesTopRight 0 Show group notifications to the top right corner of the screen.
ShowHelpOnFirstLogin 0 Show Help Floater on first login
ShowHoverTips 1 Show descriptive tooltip when mouse hovers over items in world
ShowInInventory 0 Automatically opens inventory to show accepted objects
ShowLandHoverTip 0 Show descriptive tooltip when mouse hovers over land
ShowMatureClassifieds 1 Display results of find classifieds that are flagged as moderate
ShowMatureEvents 1 Display results of find events that are flagged as moderate
ShowMatureGroups 1 Display results of find groups that are flagged as moderate
ShowMatureLand 1 Display results of find land sales that are flagged as moderate
ShowMatureSearchAll 1 Display results of search All that are flagged as moderate
ShowMatureSims 1 Display results of find places or find popular that are in moderate sims
ShowMenuBarLocation 1 Show/Hide location info in the menu bar
ShowMiniLocationPanel 0 Show/hide mini-location panel
ShowMyComplexityChanges 10 How long to show notices about avatar complexity (set to zero to disable those notices)
ShowNavbarFavoritesPanel 1 Show/hide navigation bar favorites panel
ShowNavbarNavigationPanel 0 Show/hide navigation bar navigation panel
ShowNearClip 0
ShowNetStats 0 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
ShowNewInventory 1 Automatically views new notecards/textures/landmarks
ShowObjectRenderingCost 1 Show the object rendering cost in build tools
ShowObjectUpdates 0 Show when update messages are received for individual objects
ShowOfferedInventory 1 Show inventory window with last inventory offer selected when receiving inventory from other users.
ShowOverlayTitle 0 Prints watermark text message on screen
ShowPGClassifieds 1 Display results of find classifieds that are flagged as general
ShowPGEvents 1 Display results of find events that are flagged as general
ShowPGGroups 1 Display results of find groups that are flagged as general
ShowPGLand 1 Display results of find land sales that are flagged as general
ShowPGSearchAll 1 Display results of search All that are flagged as general
ShowPGSims 1 Display results of find places or find popular that are in general sims
ShowParcelOwners 0
ShowPermissions 0
ShowPhysicsShapeInEdit 0 show physics shapes while building
ShowProfileFloaters 1 Shows resident profiles in a floater rather than the side tray
ShowPropertyLines 0 Show line overlay demarking property boundaries
ShowRadarMinimap 1 Toggle visibility of the embedded minimap in the radar panel
ShowScriptErrors 1 Show script errors
ShowScriptErrorsLocation 1 Show script error in chat (0) or window (1).
ShowSearchTopBar 1 Toggles whether the search field is displayed at the top of the viewer
ShowSelectionBeam 1 Show selection particle beam when selecting or interacting with objects.
ShowSpecificLODInEdit -1 Force the display of a specific LOD while editing
ShowStartLocation 1 Display starting location menu on login screen
ShowStreamMetadata 2 Shows stream metadata (artist, title) notifications. (0 = Off, 1 = Notification Toast, 2 = Nearby Chat)
ShowTangentBasis 0 Render normal and binormal (debugging bump mapping)
ShowTutorial 0 Show tutorial window on login
ShowVoiceChannelPopup 0 Controls visibility of the current voice channel popup above the voice tab
ShowVoiceVisualizersInCalls 1 Enables in-world voice visuals, voice gestures and lip-sync while in group or P2P calls.
ShowVolumeSettingsPopup 0 Show individual volume slider for voice, sound effects, etc
SidePanelHintTimeout 300.0 Number of seconds to wait before telling resident about side panel.
SimulateFBOFailure 0 [DEBUG] Make allocateScreenBuffer return false. Used to test error handling.
SkinCurrent firestorm The currently selected skin.
SkinCurrentTheme grey The selected theme for the current skin.
SkinningSettingsFile Client skin color setting file name (per install).
SkipBenchmark 0 if true, disables running the GPU benchmark at startup (default to class 1)
SkyAmbientScale 0.300000011921 Controls strength of ambient, or non-directional light from the sun and moon (fraction or multiple of default ambient level)
SkyNightColorShift 0.67, 0.67, 1.0 Controls moonlight color (base color applied to moon as light source)
SkyOverrideSimSunPosition 0
SkyPresetName Default Sky preset to use. May be superseded by region settings or by a day cycle (see DayCycleName).
SkySunDefaultPosition 1.0, 0.0, 0.1 Default position of sun in sky (direction in world coordinates)
SnapEnabled 1 Enable snapping to grid
SnapMargin 10 Controls maximum distance between windows before they auto-snap together (pixels)
SnapToMouseCursor 0 When snapping to grid, center object on nearest grid point to mouse cursor
SnapshotFormat 0 Save snapshots in this format (0 = PNG, 1 = JPEG, 2 = BMP)
SnapshotLayers 0 Which layers should be used for a snapshot.
SnapshotQuality 75 Quality setting of postcard JPEGs (0 = worst, 100 = best)
SnapshotToDiskQuality 75 Quality setting of snapshot to disk JPEGs (0 = worst, 100 = best)
SnapshotToProfileIncludeLocation 0 Include location information with a snapshot taken to profile.
SocialPhotoResolution [i800,i600] Default resolution when sharing photo using the social floaters
Socks5AuthType None Selected Auth mechanism for Socks5
Socks5ProxyEnabled 0 Use Socks5 Proxy
Socks5ProxyHost Socks 5 Proxy Host
Socks5ProxyPort 1080 Socks 5 Proxy Port
SortFriendsFirst 1 Specifies whether friends will be sorted first in Call Log
SpeakerParticipantDefaultOrder 0 Order for displaying speakers in voice controls. 0 = alphabetical. 1 = recent.
SpeakerParticipantRemoveDelay 10.0 Timeout to remove participants who is not in channel before removed from list of active speakers (text/voice chat)
SpeedTest 0 Performance testing mode, no network
SpellCheck 1 Enable spellchecking on line and text editors
SpellCheckDictionary English (United States),Second Life Glossary Current primary and secondary dictionaries used for spell checking
StarLightShowMapDetails 1 Show the details panel on the side of the World Map
StartUpChannelUUID B56AF90D-6684-48E4-B1E4-722D3DEB2CB6
StartUpToastLifeTime 5 Number of seconds while a Startup toast exist
StatsAutoRun 0 Play back autopilot
StatsFile fs.txt Filename for stats logging output
StatsNumRuns -1 Loop autopilot playback this number of times
StatsPilotFile pilot.txt Filename for stats logging autopilot path
StatsPilotXMLFile pilot.xml Filename for stats logging extended autopilot path
StatsQuitAfterRuns 0 Quit application after this number of autopilot playback runs
StatsSessionTrackFrameStats 0 Track rendering and network statistics
StatsSummaryFile fss.txt Filename for stats logging summary
StreamMetadataAnnounceChannel 362394 Chat channel where stream metadata is announced to.
StreamMetadataAnnounceToChat 0 Announces stream metadata to a defined chat channel.
SyncMaterialSettings 0 SyncMaterialSettings
SysinfoButtonInIM 0 Shows or hides the system info button in IM floaters. Used to send your system information to a support helper in IM.
SystemLanguage en Language indicated by system settings (for UI)
scriptsbeacon 0 Beacon / Highlight scripted objects
scripttouchbeacon 0 Beacon / Highlight scripted objects with touch function
soundsbeacon 0 Beacon / Highlight sound generators
sourceid Identify referring agency to Linden web servers

T

Setting Default Description
TabToTextFieldsOnly 0 TAB key takes you to next text entry field, instead of next widget
TeleportArrivalDelay 2.0 Time to wait before displaying world during teleport (seconds)
TeleportLocalDelay 1.0 Delay to prevent teleports after starting an in-sim teleport. (seconds)
TempAllowScriptedMedia 0 Allow scripts to control media
TemporaryUpload 0 Temporary texture upload flag (volatile)
TerrainColorHeightRange 60.0 Altitude range over which a given terrain texture has effect (meters)
TerrainColorStartHeight 20.0 Starting altitude for terrain texturing (meters)
TestGridStatusRSSFromFile 0 For testing only: Don't update rss xml file from server.
TexelPixelRatio 1.0 texel pixel ratio = texel / pixel
TextureCameraMotionBoost 3 Progressive discard level decrement when the camera is still
TextureCameraMotionThreshold 0.2 If the overall motion is lower than this value, textures will be loaded faster
TextureDecodeDisabled 0 If TRUE, do not fetch and decode any textures
TextureDisable 0 If TRUE, do not load textures for in-world content
TextureDiscardLevel 0 Specify texture resolution (0 = highest, 5 = lowest)
TextureFetchConcurrency 0 Maximum number of HTTP connections used for texture fetches
TextureFetchDebuggerEnabled 0 Enable the texture fetching debugger if set
TextureFetchFakeFailureRate 0.0 Simulate HTTP fetch failures for some server bake textures.
TextureFetchSource 0 Debug use: Source to fetch textures
TextureFetchUpdateHighPriority 32 Number of high priority textures to update per frame
TextureFetchUpdateMaxMediumPriority 256 Maximum number of medium priority textures to update per frame
TextureFetchUpdateMinMediumPriority 32 Minimum number of medium priority textures to update per frame
TextureFetchUpdatePriorities 32 Number of priority texture to update per frame
TextureFetchUpdatePriorityThreshold 0.0 Threshold under which textures will be considered too low priority and skipped for update
TextureFetchUpdateSkipLowPriority 0 Flag indicating if we want to skip textures with too low of a priority
TextureLivePreview 1 Preview selections in texture picker immediately
TextureLoadFullRes 0 If TRUE, always load textures at full resolution (discard = 0). Not persistent. Will cause excessive memory pressure.
TextureLoggingThreshold 1 Specifies the byte threshold at which texture download data should be sent to the region.
TextureMemory 0 Amount of memory to use for textures in MB (0 = autodetect)
TextureNewByteRange 1 Use the new more accurate byte range computation for j2c discard levels
TexturePickerShowFolders 1 Show folders with no textures in texture picker
TexturePickerSortOrder 2 Specifies sort key for textures in texture picker (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
TextureReverseByteRange 50 Minimal percent of the optimal byte range allowed to render a given discard level
ThrottleBandwidthKBPS 500.0 Maximum allowable downstream bandwidth (kilo bits per second)
TipToastMessageLineCount 10 Max line count of text message on tip toast.
ToastButtonWidth 90 Default width of buttons in the toast. Notes: If required width will be less than this one, a button will be reshaped to default size , otherwise to required. Change of this parameter will affect the layout of buttons in notification toast.
ToastFadingTime 2 Number of seconds while a toast is fading
ToastGap 7 Gap between toasts on a screen (min. value is 5)
ToolTipDelay 0.699999988079 Seconds before displaying tooltip when mouse stops over UI element
ToolTipFadeTime 0.2 Seconds over which tooltip fades away
ToolTipFastDelay 0.1 Seconds before displaying tooltip when mouse stops over UI element (when a tooltip is already visible)
ToolTipVisibleTimeFar 1.0 Fade tooltip after time passes (seconds) while mouse not near tooltip
ToolTipVisibleTimeNear 10.0 Fade tooltip after time passes (seconds) while mouse near tooltip or original position
ToolTipVisibleTimeOver 1000.0 Fade tooltip after time passes (seconds) while mouse over tooltip
ToolboxAutoMove 0 [NOT USED]
TrackFocusObject 1 Camera tracks last object zoomed on
TranslateChat 0 Translate incoming chat messages
TranslateLanguage default Translate specified language
TranslationService bing Translation API to use. (google, bing)
TutorialURL URL for tutorial menu item, set automatically during login
TypeAheadTimeout 1.5 Time delay before clearing type-ahead buffer in lists (seconds)
teleport_offer_invitation_max_length 178 Maximum length of teleport offer invitation line editor. 254 - max_location_url_length(76) = 178

U

Setting Default Description
UIAutoScale 1 Keep UI scale consistent across different resolutions
UIButtonOrigHPad 6 UI Button Original Horizontal Pad
UICheckboxctrlBtnSize 13 UI Checkbox Control Button Size
UICheckboxctrlHPad 2 UI Checkbox Control Horizontal Pad
UICheckboxctrlHeight 16 UI Checkbox Control Height
UICheckboxctrlSpacing 5 UI Checkbox Control Spacing
UICheckboxctrlVPad 2 UI Checkbox Control Vertical Pad
UICloseBoxFromTop 5 Distance from top of floater to top of close box icon, pixels
UIExtraTriangleHeight -1 UI extra triangle height
UIExtraTriangleWidth 4 UI extra triangle width
UIFloaterCloseBoxSize 16 Size of UI floater close box size
UIFloaterHPad 6 Size of UI floater horizontal pad
UIFloaterTestBool 0 Example saved setting for the test floater
UIFloaterTitleVPad 7 Distance from top of floater to top of title string, pixels
UIImgDefaultAlphaUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultEyesUUID 6522e74d-1660-4e7f-b601-6f48c1659a77
UIImgDefaultGlovesUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultHairUUID 7ca39b4c-bd19-4699-aff7-f93fd03d3e7b
UIImgDefaultJacketUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultPantsUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultShirtUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultShoesUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultSkirtUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultSocksUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgDefaultUnderwearUUID 5748decc-f629-461c-9a36-a35a221fe21f
UIImgInvisibleUUID f54a0c32-3cd1-d49a-5b4f-7b792bebc204
UIImgTransparentUUID 8dcd4a48-2d37-4909-9f78-f7a9eb4ef903
UIImgWhiteUUID 5748decc-f629-461c-9a36-a35a221fe21f
UILineEditorCursorThickness 2 UI Line Editor Cursor Thickness
UIMaxComboWidth 500 Maximum width of combo box
UIMinimizedWidth 160 Size of UI floater minimized width
UIMultiSliderctrlSpacing 4 UI multi slider ctrl spacing
UIMultiTrackHeight 6 UI multi track height
UIPreeditMarkerBrightness 0.4 UI Preedit Marker Brightness
UIPreeditMarkerGap 1 UI Preedit Marker Gap
UIPreeditMarkerPosition 4 UI Preedit Marker Position
UIPreeditMarkerThickness 1 UI Preedit Marker Thickness
UIPreeditStandoutBrightness 0.6 UI Preedit Standout Brightness
UIPreeditStandoutGap 1 UI Preedit Standout Gap
UIPreeditStandoutPosition 4 UI Preedit Standout Position
UIPreeditStandoutThickness 2 UI Preedit Standout Thickness
UIResizeBarHeight 3 Size of UI resize bar height
UIScaleFactor 1.0 Size of UI relative to default layout on 1024×768 screen
UIScrollbarSize 15 UI scrollbar size
UISliderctrlHeight 16 UI slider ctrl height
UISliderctrlSpacing 4 UI slider ctrl spacing
UISndAlert ed124764-705d-d497-167a-182cd9fa2e6c Sound file for alerts (uuid for sound asset)
UISndBadKeystroke 2ca849ba-2885-4bc3-90ef-d4987a5b983a Sound file for invalid keystroke (uuid for sound asset)
UISndClick 4c8c3c77-de8d-bde2-b9b8-32635e0fd4a6 Sound file for mouse click (uuid for sound asset)
UISndClickRelease 4c8c3c77-de8d-bde2-b9b8-32635e0fd4a6 Sound file for mouse button release (uuid for sound asset)
UISndDebugSpamToggle 0 Log UI sound effects as they are played
UISndFootsteps e8af4a28-aa83-4310-a7c4-c047e15ea0df Sound file for default footsteps (uuid for sound asset). Change requires restart to take effect.
UISndFriendOffline ed124764-705d-d497-167a-182cd9fa2e6c Sound file for friends going offline (uuid for sound asset)
UISndFriendOnline ed124764-705d-d497-167a-182cd9fa2e6c Sound file for friends coming online (uuid for sound asset)
UISndFriendshipOffer 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for friendship offer (uuid for sound asset)
UISndGroupInvitation c825dfbc-9827-7e02-6507-3713d18916c1 Sound file for group invitation (uuid for sound asset)
UISndGroupNotice c825dfbc-9827-7e02-6507-3713d18916c1 Sound file for group notice (uuid for sound asset)
UISndHealthReductionF 219c5d93-6c09-31c5-fb3f-c5fe7495c115 Sound file for female pain (uuid for sound asset)
UISndHealthReductionM e057c244-5768-1056-c37e-1537454eeb62 Sound file for male pain (uuid for sound asset)
UISndHealthReductionThreshold 10.0 Amount of health reduction required to trigger “pain” sound
UISndIncomingVoiceCall c80260ba-41fd-8a46-768a-6bf236360e3a Sound file for incoming voice call (uuid for sound asset)
UISndInvalidOp 4174f859-0d3d-c517-c424-72923dc21f65 Sound file for invalid operations (uuid for sound asset)
UISndInventoryOffer 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for inventory offer (uuid for sound asset)
UISndMoneyChangeDown 104974e3-dfda-428b-99ee-b0d4e748d3a3 Sound file for L$ balance decrease (uuid for sound asset)
UISndMoneyChangeThreshold 50.0 Amount of change in L$ balance required to trigger “money” sound
UISndMoneyChangeUp 77a018af-098e-c037-51a6-178f05877c6f Sound file for L$ balance increase (uuid for sound asset)
UISndMovelockToggle 4174f859-0d3d-c517-c424-72923dc21f65 Sound file for toggling movelock (uuid for sound asset)
UISndNewIncomingConfIMSession 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for new conference instant message session(uuid for sound asset)
UISndNewIncomingGroupIMSession 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for new group instant message session(uuid for sound asset)
UISndNewIncomingIMSession 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for new instant message session(uuid for sound asset)
UISndObjectCreate f4a0660f-5446-dea2-80b7-6482a082803c Sound file for object creation (uuid for sound asset)
UISndObjectDelete 0cb7b00a-4c10-6948-84de-a93c09af2ba9 Sound file for object deletion (uuid for sound asset)
UISndObjectRezIn 3c8fc726-1fd6-862d-fa01-16c5b2568db6 Sound file for rezzing objects (uuid for sound asset)
UISndObjectRezOut 00000000-0000-0000-0000-000000000000 Sound file for derezzing objects (uuid for sound asset)
UISndPieMenuAppear 8eaed61f-92ff-6485-de83-4dcc938a478e Sound file for opening pie menu (uuid for sound asset)
UISndPieMenuHide 00000000-0000-0000-0000-000000000000 Sound file for closing pie menu (uuid for sound asset)
UISndPieMenuSliceHighlight0 d9f73cf8-17b4-6f7a-1565-7951226c305d Sound file for selecting pie menu item 0 (uuid for sound asset)
UISndPieMenuSliceHighlight1 f6ba9816-dcaf-f755-7b67-51b31b6233e5 Sound file for selecting pie menu item 1 (uuid for sound asset)
UISndPieMenuSliceHighlight2 7aff2265-d05b-8b72-63c7-dbf96dc2f21f Sound file for selecting pie menu item 2 (uuid for sound asset)
UISndPieMenuSliceHighlight3 09b2184e-8601-44e2-afbb-ce37434b8ba1 Sound file for selecting pie menu item 3 (uuid for sound asset)
UISndPieMenuSliceHighlight4 bbe4c7fc-7044-b05e-7b89-36924a67593c Sound file for selecting pie menu item 4 (uuid for sound asset)
UISndPieMenuSliceHighlight5 d166039b-b4f5-c2ec-4911-c85c727b016c Sound file for selecting pie menu item 5 (uuid for sound asset)
UISndPieMenuSliceHighlight6 242af82b-43c2-9a3b-e108-3b0c7e384981 Sound file for selecting pie menu item 6 (uuid for sound asset)
UISndPieMenuSliceHighlight7 c1f334fb-a5be-8fe7-22b3-29631c21cf0b Sound file for selecting pie menu item 7 (uuid for sound asset)
UISndQuestionExperience c825dfbc-9827-7e02-6507-3713d18916c1 Sound file for new experience notification (uuid for sound asset)
UISndRadarAgeAlert a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when the age alert for an avatar is triggered (uuid for sound asset)
UISndRadarChatEnter a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars enter chat range (uuid for sound asset)
UISndRadarChatLeave a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars leave chat range (uuid for sound asset)
UISndRadarDrawEnter a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars enter draw distance (uuid for sound asset)
UISndRadarDrawLeave a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars leave draw distance (uuid for sound asset)
UISndRadarSimEnter a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars enter the region (uuid for sound asset)
UISndRadarSimLeave a3f48b85-c29f-1f97-ebb6-644b7c053512 Sound file played when avatars leave the region (uuid for sound asset)
UISndRestart b92a0f64-7709-8811-40c5-16afd624a45f Sound file for region restarting, Second Life grid (uuid for sound asset)
UISndRestartOpenSim 4174f859-0d3d-c517-c424-72923dc21f65 Sound file for region restarting, OpenSim grid (uuid for sound asset)
UISndScriptFloaterOpen c80260ba-41fd-8a46-768a-6bf236360e3a Sound file for opening a script dialog (uuid for sound asset)
UISndSnapshot 3d09f582-3851-c0e0-f5ba-277ac5c73fb4 Sound file for taking a snapshot (uuid for sound asset)
UISndStartIM c825dfbc-9827-7e02-6507-3713d18916c1 Sound file for starting a new IM session (uuid for sound asset)
UISndTeleportOffer 67cc2844-00f3-2b3c-b991-6418d01e1bb7 Sound file for teleport offer (uuid for sound asset)
UISndTeleportOut d7a9a565-a013-2a69-797d-5332baa1a947 Sound file for teleporting (uuid for sound asset)
UISndTrackerBeacon ed124764-705d-d497-167a-182cd9fa2e6c Sound file for tracker beacon (uuid for sound asset)
UISndTyping 5e191c7b-8996-9ced-a177-b2ac32bfea06 Sound file for starting to type a chat message (uuid for sound asset)
UISndWindowClose 2c346eda-b60c-ab33-1119-b8941916a499 Sound file for closing a window (uuid for sound asset)
UISndWindowOpen c80260ba-41fd-8a46-768a-6bf236360e3a Sound file for opening a window (uuid for sound asset)
UISpinctrlBtnHeight 11 UI spin control button height
UISpinctrlBtnWidth 16 UI spin control button width
UISpinctrlDefaultLabelWidth 10 UI spin control default label width
UISpinctrlSpacing 2 UI spin control spacing
UITabCntrArrowBtnSize 16 UI Tab Container Arrow Button Size
UITabCntrButtonPanelOverlap 1 UI Tab Container Button Panel Overlap
UITabCntrCloseBtnSize 16 UI Tab Container Close Button Size
UITabCntrTabHPad 4 UI Tab Container Tab Horizontal Pad
UITabCntrTabPartialWidth 12 UI Tab Container Tab Partial Width
UITabCntrVertTabMinWidth 100 UI Tab Container Vertical Tab Minimum Width
UITabCntrvArrowBtnSize 16 UI Tab Container V Arrow Button Size
UITabCntrvPad 0 UI Tab Container V Pad
UITabPadding 15 UI Tab Padding
UpdaterMaximumBandwidth 500.0 Obsolete: this parameter is no longer used.
UpdaterServiceCheckPeriod 3600 Obsolete; no longer used.
UpdaterServicePath update Obsolete: no longer used
UpdaterServiceSetting 0 Configure updater service.
UpdaterServiceURL https://update.phoenixviewer.comDefault location for the updater service.
UpdaterShowReleaseNotes 0 Enables displaying of the Release notes in a web floater after update.
UpdaterWillingToTest 1 Whether or not the updater should offer test candidate upgrades.
UploadBakedTexOld 0 Forces the baked texture pipeline to upload using the old method.
UploadsEveryoneCopy 0 Everyone can copy the newly uploaded item
UploadsNextOwnerCopy 0 Newly uploaded items can be copied by next owner
UploadsNextOwnerModify 0 Newly uploaded items can be modified by next owner
UploadsNextOwnerTransfer 1 Newly uploaded items can be resold or given away by next owner
UploadsShareWithGroup 0 Newly uploaded items are shared with the currently active group
UseAltKeyForMenus 0 Access menus via keyboard by tapping Alt
UseAnimationTimeSteps 0 Enable the use of animation timesteps to reduce render load for distant avatars.
UseAntiSpam 0 Activate the Anti-Spam System
UseChatBubbles 0 Show chat above avatars head in chat bubbles
UseCircuitCodeMaxRetries 3 Max timeout count for the initial UseCircuitCode message
UseCircuitCodeTimeout 5.0 Timeout duration in seconds for the initial UseCircuitCode message
UseDayCycle 1 Whether to use use a day cycle or a fixed sky.
UseDebugMenus 0 Turns on “Debug” menu
UseDefaultColorPicker 0 Use color picker supplied by operating system
UseDisplayNames 1 Use new, changeable, unicode names
UseEnergy 1
UseEnvironmentFromRegion 1 Choose whether to use the region's environment settings, or override them with the local settings.
UseEnvironmentFromRegionAlways 1 Choose whether to always use the region's environment settings when they are available or to allow the manual selections to remain unchanged.
UseFreezeFrame 0 Freeze time when taking snapshots.
UseHTTPBakedTextureFetch 0 If true, baked avatar textures will be fetched using HTTP instead of UDP.
UseHTTPInventory 1 Allow use of http inventory transfers instead of UDP
UseLSLBridge 1 Use the client LSL bridge for lsl functionality
UseLegacyIMLogNames 1 Use legacy filenames for P2P IMs logs
UseNewWalkRun 1 Replace standard walk/run animations with new ones.
UseObjectCacheOcclusion 1 Enable object cache level object culling based on occlusion (coverage) by other objects
UseOcclusion 1 Enable object culling based on occlusion (coverage) by other objects
UsePeopleAPI 1 Use the people API cap for avatar name fetching, use old legacy protocol if false. Requires restart.
UsePhysicsCostOnly 1 When displaying physics shapes in edit mode colour ramp based on physics cost not object cost.
UsePieMenu 1 Use the classic V1.x circular menu instead of the rectangular context menus when right clicking on land, avatars, objects or attachments.
UseStartScreen 1 Whether to load a start screen image or not.
UseTypingBubbles 0 Show typing indicator in avatar nametags
UseWebPagesOnPrims 0 [NOT USED]
UserConnectionPort 0 Port that this client transmits on.
UserLogFile User specified log file name.
UserLoginInfo User login data.
UserLoginInfoCmdLine Command line supplied user login data.
UserSessionSettingsFile User settings that are a applied per session (not saved).

V

Setting Default Description
VFSOldSize 0 [DO NOT MODIFY] Controls resizing of local file cache
VFSSalt 1 [DO NOT MODIFY] Controls local file caching behavior
VelocityInterpolate 1 Extrapolate object motion from last packet based on received velocity
VerboseLogs 0 Display source file and line number for each log item for debugging purposes
VersionChannelName Version information generated by running the viewer
VertexShaderEnable 0 Enable/disable all GLSL shaders (debug)
VivoxAutoPostCrashDumps 1 If true, SLVoice will automatically send crash dumps directly to Vivox.
VivoxDebugLevel 0 Logging level to use when launching the vivox daemon
VivoxDebugSIPURIHostName Hostname portion of vivox SIP URIs (empty string for the default).
VivoxDebugVoiceAccountServerURI URI to the vivox account management server (empty string for the default).
VivoxLogDirectory Default log path is Application Support/SecondLife/logs specify alternate absolute path here.
VivoxShutdownTimeout 5 shutdown timeout in miliseconds. The amount of time to wait for the service to shutdown gracefully after the last disconnect
VivoxVoiceHost 127.0.0.1 Client SLVoice host to connect to
VivoxVoicePort 44125 Client SLVoice port to connect to
VoiceCallsFriendsOnly 0 Only accept voice calls from residents on your friends list
VoiceCallsRejectAdHoc 0 Silently reject all incoming AdHoc (conference) voice calls.
VoiceCallsRejectGroup 0 Silently reject all incoming group voice calls.
VoiceCallsRejectP2P 0 Silently reject all incoming P2P (avatar with avatar) voice calls.
VoiceDisableMic 0 Completely disable the ability to open the mic.
VoiceEarLocation 0 Location of the virtual ear for voice
VoiceEffectExpiryWarningTime 259200 How much notice to give of Voice Morph subscriptions expiry, in seconds.
VoiceHost 127.0.0.1 Client SLVoice host to connect to
VoiceImageLevel0 041ee5a0-cb6a-9ac5-6e49-41e9320507d5 Texture UUID for voice image level 0
VoiceImageLevel1 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 1
VoiceImageLevel2 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 2
VoiceImageLevel3 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 3
VoiceImageLevel4 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 4
VoiceImageLevel5 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 5
VoiceImageLevel6 29de489d-0491-fb00-7dab-f9e686d31e83 Texture UUID for voice image level 6
VoiceInputAudioDevice Default Audio input device to use for voice
VoiceLogFile Log file to use when launching the voice daemon
VoiceMorphingEnabled 1 Whether or not to enable Voice Morphs and show the UI.
VoiceMultiInstance 1 Enables using voice in multiple simultaneous viewer instances
VoiceOutputAudioDevice Default Audio output device to use for voice
VoiceParticipantLeftRemoveDelay 10 Timeout to remove participants who has left Voice chat from the list in Voice Controls Panel
VoicePort 44125 Client SLVoice port to connect to
VoiceServerType vivox The type of voice server to connect to.

W

Setting Default Description
WLSkyDetail 64 Controls vertex detail on the WindLight sky. Lower numbers will give better performance and uglier skies.
WarningsAsChat 0 Display warning messages in chat transcript
WatchdogEnabled 0 Controls whether the thread watchdog timer is activated. Value is boolean. Set to -1 to defer to built-in default.
WaterEditPresets 0 Whether to be able to edit the water defaults or not
WaterFogColor 0.0863, 0.168, 0.212, 0 Water fog color
WaterFogDensity 16.0 Water fog density
WaterGLFogDensityScale 0.02 Maps shader water fog density to gl fog density
WaterGLFogDepthFloor 0.25 Controls how dark water gl fog can get
WaterGLFogDepthScale 50.0 Controls how quickly gl fog gets dark under water
WaterPresetName Default Water preset to use. May be superseded by region settings.
WearFolderLimit 125 Limits number of items in the folder that can be replaced/added to current outfit
WearablesEveryoneCopy 0 Everyone can copy the newly created clothing or body part
WearablesNextOwnerCopy 0 Newly created clothing or body part can be copied by next owner
WearablesNextOwnerModify 0 Newly created clothing or body part can be modified by next owner
WearablesNextOwnerTransfer 1 Newly created clothing or body part can be resold or given away by next owner
WearablesShareWithGroup 0 Newly created clothing or body part is shared with the currently active group
WebContentWindowLimit 5 Maximum number of web browser windows that can be open at once in the Web content floater (0 for no limit)
WebProfileFloaterRect 0, 680, 500, 0 Web profile floater dimensions
WindLightUseAtmosShaders 1 Whether to enable or disable WindLight atmospheric shaders.
WindowHeight 738 SL viewer window height
WindowMaximized 0 SL viewer window maximized on login
WindowWidth 1024 SL viewer window width
WindowX 10 X coordinate of upper left corner of SL viewer window, relative to upper left corner of primary display (pixels)
WindowY 10 Y coordinate of upper left corner of SL viewer window, relative to upper left corner of primary display (pixels)
WorldmapFilterDuplicateLandmarks 0 Filter duplicate Landmarks in the Landmark list on the world map.

X

Setting Default Description
XferThrottle 150000.0 Maximum allowable downstream bandwidth for asset transfers (bits per second)

Y

Setting Default Description
YawFromMousePosition 90.0 Horizontal range over which avatar head tracks mouse position (degrees of head rotation from left of window to right)
YieldTime -1 Yield some time to the local host.
YouAreHereDistance 10.0 Radius of distance for banner that indicates if the resident is “on” the Place.(meters from avatar to requested place)

Z

Setting Default Description
ZoomDirect 0 Map Joystick zoom axis directly to camera zoom.
ZoomTime 0.40000000596 Time of transition between different camera modes (seconds)

Underscore

Setting Default Description
_NACL_AntiSpamAmount 10 Number of messages needed over _NACL_AntiSpamTime seconds to trigger the spam system
_NACL_AntiSpamGlobalQueue 0 Do not track types of spam seperately, all actions from a single owner/source will be processed together. Anything triggering spam will cause that source to be blocked from all further methods of input. Use in cases of extreme spam only.
_NACL_AntiSpamNewlines 70 Messages with more than these number of lines will be squelched and sender blocked
_NACL_AntiSpamSoundMulti 6 Multiplier for _NACL_AntiSpamTime for sounds heard in _NACL_AntiSpamTime interval needed to trigger a block, since sounds are more common
_NACL_AntiSpamSoundPreloadMulti 6 Multiplier for _NACL_AntiSpamTime for sound preloads heard in _NACL_AntiSpamTime interval needed to trigger a block, since preloads are more common
_NACL_AntiSpamTime 4 Time inverval in seconds by which to track incoming messages. Within this inverval any messages received more than _NACL_ANtiSpamAmount times will trigger a block. Default interval is 2 seconds.
_NACL_LSLPreprocessor 0 LSL Preprocessor
_NACL_MLFovValues 1.047197551, 1.047197551, 0.0 NaCl Fov zoom values
_NACL_PreProcEnableHDDInclude 0 Enable #include from local disk
_NACL_PreProcHDDIncludeLocation Path for local disk includes
_NACL_PreProcLSLLazyLists 1 LSL Lazy Lists
_NACL_PreProcLSLOptimizer 1 LSL Optimizer
_NACL_PreProcLSLSwitch 1 LSL Switch Statements
_NACL_PreProcLSLTextCompress 0 LSL Text Compress

fs_debug_account

$
0
0

Firestorm Debug Settings - Global

Global settings affect all accounts logging in with the viewer.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11

A

Setting Default Description
AFKTimeout 0 Time before automatically setting AFK (away from keyboard) mode (seconds, 0=never). Valid values are: 0, 120, 300, 600, 1800, 3600, 5400, 7200
AbuseReportScreenshotDelay 0.3 Time delay before taking screenshot to avoid UI artifacts.
AckCollectTime 0.1 Ack messages collection and grouping time
ActiveFloaterTransparency 1.0 Transparency of active floaters (floaters that have focus)
AdminMenu 0 Enable the debug admin menu from the main menu. Note: This will just allow the menu to be shown; this does not grant admin privileges.
AdvanceOutfitSnapshot 1 Display advanced parameter settings in outfit snaphot interface
AdvanceSnapshot 1 Display advanced parameter settings in snapshot interface
AgentPause 0 Ask the simulator to stop updating the agent while enabled
AlertChannelUUID F3E07BC8-A973-476D-8C7F-F3B7293975D1
AlertedUnsupportedHardware 0 Set if there's unsupported hardware and we've already done a notification.
AllowMUpose 0 Allow MU* pose style in chat and IM (with ':' as a synonymous to '/me ')
AllowMultipleViewers 1 Allow multiple viewers.
AllowNoCopyRezRestoreToWorld 0 Allow Restore to Last Position for no-copy objects on Second Life grids. This can lead to content loss, and is only meant to be used for testing a potential server side fix.
AllowTapTapHoldRun 1 Tapping a direction key twice and holding it down makes avatar run
AlwaysRenderFriends 0 Always render friends regardless of max complexity
AnalyzePerformance 0 Request performance analysis for a particular viewer run
AnimateTextures 1 Enable texture animation (debug)
AnimationDebug 0 Show active animations in a bubble above avatars head
AppearanceCameraMovement 1 When entering appearance editing mode, camera zooms in on currently selected portion of avatar
ApplyColorImmediately 1 Preview selections in color picker immediately
ArrowKeysAlwaysMove 0 While cursor is in chat entry box, arrow keys still control your avatar
AskedAboutCrashReports 1 Turns off dialog asking if you want to enable crash reporting
AssetFetchConcurrency 0 Maximum number of HTTP connections used for asset fetches
AssetStorageLogFrequency 60.0 Seconds between display of AssetStorage info in log (0 for never)
AuctionShowFence 1 When auctioning land, include parcel boundary marker in snapshot
AudioLevelAmbient 0.5 Audio level of environment sounds
AudioLevelDoppler 1.0 Scale of Doppler effect on moving audio sources (1.0 = normal, <1.0 = diminished Doppler effect, >1.0 = enhanced Doppler effect)
AudioLevelMaster 1.0 Master audio level, or overall volume
AudioLevelMedia 0.3 Audio level of QuickTime movies
AudioLevelMic 1.0 Audio level of microphone input
AudioLevelMusic 0.3 Audio level of streaming music
AudioLevelRolloff 1.0 Controls the distance-based dropoff of audio volume (fraction or multiple of default audio rolloff)
AudioLevelSFX 0.5 Audio level of in-world sound effects
AudioLevelUI 0.5 Audio level of UI sound effects
AudioLevelUnderwaterRolloff 5.0 Controls the distance-based dropoff of audio volume underwater(fraction or multiple of default audio rolloff)
AudioLevelVoice 0.7 Audio level of voice chat
AudioLevelWind 0.0 Audio level of wind noise when standing still
AudioStreamingMedia 1 Enable streaming
AudioStreamingMusic 1 Enable streaming audio
AutoAcceptNewInventory 0 Automatically accept new notecards/textures/landmarks
AutoCloseOOC 0 Auto-close OOC chat (i.e. add “))” if not found and “((” was used)
AutoDisengageMic 1 Automatically turn off the microphone when ending IM calls.
AutoLeveling 1 Keep Flycam level.
AutoLoadWebProfiles 0 Automatically load ALL profile webpages without asking first.
AutoLogin 0 Login automatically using last username/password combination
AutoMimeDiscovery 0 Enable viewer mime type discovery of media URLs
AutoPilotLocksCamera 0 Keep camera position locked when avatar walks to selected position
AutoQueryGridStatus 0 Query status.secondlifegrid.net for latest news at login.
AutoQueryGridStatusURL http://phoenixviewer.com/app/loginV3/secondlifegrid.xmlURL for AutoQueryGridStatus. WordPress RSS 2.0 format.
AutoReplace 0 Replaces keywords with a configured word or phrase
AutoSnapshot 0 Update snapshot when camera stops moving, or any parameter changes
AutohideChatBar 0 Hide the chat bar from the bottom button bar and only show it as an overlay when needed.
AutomaticFly 1 Fly by holding jump key or using “Fly” command (FALSE = fly by using “Fly” command only)
AvalinePhoneSeparator - Separator of phone parts to have Avaline numbers human readable in Voice Control Panel
AvatarAxisDeadZone0 0.1 Avatar axis 0 dead zone.
AvatarAxisDeadZone1 0.1 Avatar axis 1 dead zone.
AvatarAxisDeadZone2 0.1 Avatar axis 2 dead zone.
AvatarAxisDeadZone3 0.1 Avatar axis 3 dead zone.
AvatarAxisDeadZone4 0.1 Avatar axis 4 dead zone.
AvatarAxisDeadZone5 0.1 Avatar axis 5 dead zone.
AvatarAxisScale0 1.0 Avatar axis 0 scaler.
AvatarAxisScale1 1.0 Avatar axis 1 scaler.
AvatarAxisScale2 1.0 Avatar axis 2 scaler.
AvatarAxisScale3 1.0 Avatar axis 3 scaler.
AvatarAxisScale4 1.0 Avatar axis 4 scaler.
AvatarAxisScale5 1.0 Avatar axis 5 scaler.
AvatarBacklight 1 Add rim lighting to avatar rendering to approximate shininess of skin
AvatarBakedLocalTextureUpdateTimeout 10 Specifes the maximum time in seconds to wait before updating your appearance during appearance mode.
AvatarBakedTextureUploadTimeout 70 Specifies the maximum time in seconds to wait before sending your baked textures for avatar appearance. Set to 0 to disable and wait until all baked textures are at highest resolution.
AvatarFeathering 16.0 Avatar feathering (less is softer)
AvatarInspectorTooltipDelay 0.35 Seconds before displaying avatar inspector tooltip
AvatarNameTagMode 1 Select Avatar Name Tag Mode
AvatarPhysics 1 Enable avatar physics.
AvatarPickerSortOrder 2 Specifies sort key for textures in avatar picker (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
AvatarPickerURL http://lecs-viewer-web-components.s3.amazonaws.com/v3.0/[GRID_LOWERCASE]/avatars.htmlAvatar picker contents
AvatarPosFinalOffset 0.0, 0.0, 0.0 After-everything-else fixup for avatar position.
AvatarRotateThresholdFast 2 Angle between avatar facing and camera facing at which avatar turns to face same direction as camera, when moving fast (degrees)
AvatarRotateThresholdSlow 60 Angle between avatar facing and camera facing at which avatar turns to face same direction as camera, when moving slowly (degrees)
AvatarSex 0
AvatarSitOnAway 0 Sit down when marked AFK
always_showable_floaters snapshot, postcard, mini_map, fs_nearby_chat, fs_im_container, inventory, beacons, avatar_picker, stats, script_floater, world_map, preferences, facebook, flickr, twitter Floaters that can be shown despite mouselook mode

B

Setting Default Description
BackgroundYieldTime 40 Amount of time to yield every frame to other applications when SL is not the foreground window (milliseconds)
BingTranslateAPIKey Bing AppID to use with the Microsoft Translator API
BlockAvatarAppearanceMessages 0 Ignores appearance messages (for simulating Ruth)
BlockPeopleSortOrder 0 Specifies sort order for recent people (0 = by name, 1 = by type)
BlockSomeAvatarAppearanceVisualParams 0 Drop around 50% of VisualParam occurrences in appearance messages (for simulating Ruth)
BrowserEnableJSObject 0 (WARNING: Advanced feature. Use if you are aware of the implications). Enable or disable the viewer to Javascript bridge object.
BrowserHomePage http://www.secondlife.com[NOT USED]
BrowserIgnoreSSLCertErrors 0 FOR TESTING ONLY: Tell the built-in web browser to ignore SSL cert errors.
BrowserJavascriptEnabled 1 Enable JavaScript in the built-in Web browser?
BrowserPluginsEnabled 1 Enable Web plugins in the built-in Web browser?
BrowserProxyAddress Address for the Web Proxy]
BrowserProxyEnabled 0 Use Web Proxy
BrowserProxyExclusions [NOT USED]
BrowserProxyPort 3128 Port for Web Proxy
BrowserProxySocks45 5 [NOT USED]
BuildAxisDeadZone0 0.1 Build axis 0 dead zone.
BuildAxisDeadZone1 0.1 Build axis 1 dead zone.
BuildAxisDeadZone2 0.1 Build axis 2 dead zone.
BuildAxisDeadZone3 0.1 Build axis 3 dead zone.
BuildAxisDeadZone4 0.1 Build axis 4 dead zone.
BuildAxisDeadZone5 0.1 Build axis 5 dead zone.
BuildAxisScale0 1.0 Build axis 0 scaler.
BuildAxisScale1 1.0 Build axis 1 scaler.
BuildAxisScale2 1.0 Build axis 2 scaler.
BuildAxisScale3 1.0 Build axis 3 scaler.
BuildAxisScale4 1.0 Build axis 4 scaler.
BuildAxisScale5 1.0 Build axis 5 scaler.
BuildFeathering 16.0 Build feathering (less is softer)
BulkChangeEveryoneCopy 0 Bulk changed objects can be copied by everyone
BulkChangeIncludeAnimations 1 Bulk permission changes affect animations
BulkChangeIncludeBodyParts 1 Bulk permission changes affect body parts
BulkChangeIncludeClothing 1 Bulk permission changes affect clothing
BulkChangeIncludeGestures 1 Bulk permission changes affect gestures
BulkChangeIncludeNotecards 1 Bulk permission changes affect notecards
BulkChangeIncludeObjects 1 Bulk permission changes affect objects
BulkChangeIncludeScripts 1 Bulk permission changes affect scripts
BulkChangeIncludeSounds 1 Bulk permission changes affect sounds
BulkChangeIncludeTextures 1 Bulk permission changes affect textures
BulkChangeNextOwnerCopy 0 Bulk changed objects can be copied by next owner
BulkChangeNextOwnerModify 0 Bulk changed objects can be modified by next owner
BulkChangeNextOwnerTransfer 1 Bulk changed objects can be resold or given away by next owner
BulkChangeShareWithGroup 0 Bulk changed objects are shared with the currently active group
ButtonHPad 4 Default horizontal spacing between buttons (pixels)
ButtonHeight 23 Default height for normal buttons (pixels)
ButtonHeightSmall 23 Default height for small buttons (pixels)

C

Setting Default Description
CacheLocation Controls the location of the local disk cache
CacheLocationTopFolder Controls the top folder location of the local disk cache
CacheNumberOfRegionsForObjects 128 Controls number of regions to be cached for objects.
CacheSize 2048 Controls amount of hard drive space reserved for local file caching in MB
CacheValidateCounter 0 Used to distribute cache validation
CallLogSortOrder 1 Specifies sort order for Call Log (0 = by name, 1 = by date)
CameraAngle 1.047197551 Camera field of view angle (Radians)
CameraDoFResScale 0.7 Amount to scale down depth of field resolution. Valid range is 0.25 (quarter res) to 1.0 (full res)
CameraFNumber 9.0 Camera f-number value for DoF effect
CameraFieldOfView 60.0 Vertical camera field of view for DoF effect (in degrees)
CameraFocalLength 50 Camera focal length for DoF effect (in millimeters)
CameraFocusTransitionTime 0.5 How many seconds it takes the camera to transition between focal distances
CameraMaxCoF 10.0 Maximum camera circle of confusion for DoF effect
CameraMouseWheelZoom 5 Camera zooms in and out with mouse wheel
CameraOffset 0 Render with camera offset from view frustum (rendering debug)
CameraOffsetBuild -6.0, 0.0, 6.0 Default camera position relative to focus point when entering build mode
CameraOffsetFrontView 2.2, 0.0, 0.0 Initial camera offset from avatar in Front View
CameraOffsetGroupView -1.0, 0.7, 0.5 Initial camera offset from avatar in Group View
CameraOffsetRearView -3.0, 0.0, 0.75 Initial camera offset from avatar in Rear View
CameraOffsetScale 1.0 Scales the default offset
CameraPosOnLogout 0.0, 0.0, 0.0 Camera position when last logged out (global coordinates)
CameraPositionSmoothing 1.0 Smooths camera position over time
CameraPreset 0 Preset camera position - view (0 - rear, 1 - front, 2 - group)
CameraZoomDistance 2.5 Camera distance to the zoomed in avatar
CameraZoomEyeZOffset 1.0 Camera height offset of the camera itself on the zoomed in avatar from avatar center
CameraZoomFocusZOffset 0.6 Camera height offset of zoomed point on the zoomed in avatar from avatar center
CefVerboseLog 0 Enable/disable CEF verbose loggingk
CertStore default Specifies the Certificate Store for certificate trust verification
ChannelBottomPanelMargin 35 Space from a lower toast to the Bottom Tray
ChatAutocompleteGestures 1 Auto-complete gestures in nearby chat
ChatBarCustomWidth 0 Stores customized width of chat bar.
ChatBarStealsFocus 1 Whenever keyboard focus is removed from the UI, and the chat bar is visible, the chat bar takes focus
ChatBubbleOpacity 0.5 Opacity of chat bubble background (0.0 = completely transparent, 1.0 = completely opaque)
ChatConsoleFontSize 2 Size of chat text in chat console (0 to 3, small to huge)
ChatFontSize 1 Size of chat text in chat floater (0 to 3, small to huge)
ChatFullWidth 1 Chat console takes up full width of SL window
ChatHistoryTornOff 0 Show chat transcript window separately from Communicate window.
ChatLoadGroupMaxMembers 100 Max number of active members we'll show up for an unresponsive group
ChatLoadGroupTimeout 10.0 Time we give the server to send group participants before we hit the server for group info (seconds)
ChatOnlineNotification 1 Provide notifications for when friend log on and off of SL
ChatPersistTime 20.0 Time for which chat stays visible in console (seconds)
ChatShowTimestamps 1 Show timestamps in chat
ChatTabDirection 1 Toggles the direction of chat tabs between horizontal and vertical
CheesyBeacon 0 Enable cheesy beacon effects
ClickActionBuyEnabled 1 Enable click to buy actions in tool pie menu
ClickActionPayEnabled 1 Enable click to pay actions in tool pie menu
ClickOnAvatarKeepsCamera 0 Normally, clicking on your avatar resets the camera position. This option removes this behavior.
ClickToWalk 0 Click in world to walk to location
ClientSettingsFile Client settings file name (per install).
CloseChatOnEmptyReturn Close the chat transcript floater after hitting return on an empty line
CloseChatOnReturn 0 Close chat after hitting return
CloseIMOnEmptyReturn Close the IM floater after hitting return on an empty line
ClothingLoadingDelay 10.0 Time to wait for avatar appearance to resolve before showing world (seconds)
CmdLineChannel Command line specified channel name
CmdLineDisableVoice 0 Disable Voice.
CmdLineGridChoice The user's grid choice or ip address.
CmdLineHelperURI Command line specified helper web CGI prefix to use.
CmdLineLoginLocation Startup destination requested on command line
CmdLineLoginURI Command line specified login server and CGI prefix to use.
CmdLineLoginURI1 Command line specified login server and CGI prefix to use.
CmdLineUpdateService Override the url base for the update query.
ComplexityChangesPopUpDelay 300 Delay before viewer will show avatar complexity notice again
ConnectAsGod 0 Log in as god if you have god access.
ConnectionPort 13000 Custom connection port number
ConnectionPortEnabled 0 Use the custom connection port?
ConsoleBackgroundOpacity 0.500 Opacity of chat console (0.0 = completely transparent, 1.0 = completely opaque)
ConsoleBufferSize 40 Size of chat console transcript (lines of chat)
ConsoleMaxLines 40 Max number of lines of chat text visible in console.
ContactsTornOff 0 Show contacts window separately from Communicate window.
ContextConeFadeTime .08 Cone Fade Time
ContextConeInAlpha 0.0 Cone In Alpha
ContextConeOutAlpha 1.0 Cone Out Alpha
ConversationHistoryPageSize 100 Chat transcript of conversation opened from call log is displayed by pages. So this is number of entries per page.
ConversationSortOrder 131073 Specifies sort key for conversations
CookiesEnabled 1 Accept cookies from Web sites?
CoroutineStackSize 524288 Size (in bytes) for each coroutine stack
CrashHostUrl http://crashlogs.phoenixviewer.com/upload_llsdA URL pointing to a crash report handler; overrides cluster negotiation to locate crash handler.
CrashOnStartup 0 User-requested crash on viewer startup
CrashSettingsFile Crash settings file name (per install).
CreateToolCopyCenters 1
CreateToolCopyRotates 0
CreateToolCopySelection 0
CreateToolKeepSelected 0 After using create tool, keep the create tool active
CurlMaximumNumberOfHandles 256 Maximum number of handles curl can use (requires restart)
CurlRequestTimeOut 120.0 Max idle time of a curl request before killed (requires restart)
CurlUseMultipleThreads 1 Use background threads for executing curl_multi_perform (requires restart)
CurrentGrid Currently Selected Grid
CurrentMapServerURL Current Session World map URL
Cursor3D 1 Treat Joystick values as absolute positions (not deltas).
CustomServer Specifies IP address or hostname of grid to which you connect

D

Setting Default Description
DAEExportConsolidateMaterials 1 Combine faces with same texture
DAEExportSkipTransparent 0 Skip exporting faces with default transparent texture or full transparent
DAEExportTextureParams 1 Apply texture params suchs as repeats to the exported UV map
DAEExportTextures 1 Export textures when exporting Collada
DAEExportTexturesFormat 0 Image file format to use when exporting Collada
DayCycleName Default Day cycle to use. May be superseded by region settings.
DebugAvatarAppearanceMessage 0 Dump a bunch of XML files when handling appearance messages
DebugAvatarAppearanceServiceURLOverride URL to use for baked texture requests; overrides value returned by login server.
DebugAvatarCompositeBaked 0 Colorize avatar meshes based on baked/composite state.
DebugAvatarExperimentalServerAppearanceUpdate 0 Experiment with sending full cof_contents instead of cof_version
DebugAvatarJoints List of joints to emit additional debugging info about.
DebugAvatarLocalTexLoadedTime 1 Display time for loading avatar local textures.
DebugAvatarRezTime 0 Display times for avatars to resolve.
DebugBeaconLineWidth 1 Size of lines for Debug Beacons
DebugForceAppearanceRequestFailure 0 Request wrong cof version to test the failure path for server appearance update requests.
DebugHideEmptySystemFolders 0 Hide empty system folders when on
DebugInventoryFilters 0 Turn on debugging display for inventory filtering
DebugLookAtShowNames 1 Show names with DebugLookAt. 0) None, 1) “Display Name (user.name)”, 2) “Display Name”, 3) Legacy “First Last”, 4) “user.name”
DebugPermissions 0 Log permissions for selected inventory items
DebugPluginDisableTimeout 0 Disable the code which watches for plugins that are crashed or hung
DebugRenderHitboxes 0 Renders the avatars' hitboxes (collision areas) which are unaffected by viewer side animations.
DebugSearch 0 If TRUE use search url as given in SearchURLDebug
DebugSession 0 Request debugging for a particular viewer session
DebugShowAvatarRenderInfo 0 Show avatar render cost information
DebugShowColor 0 Show color under cursor
DebugShowMemory 0 Show Total Allocated Memory
DebugShowPrivateMem 0 Show Private Mem Info
DebugShowRenderInfo 0 Show stats about current scene
DebugShowRenderMatrices 0 Display values of current view and projection matrices.
DebugShowTextureInfo 0 Show interested texture info
DebugShowTime 0 Show time info
DebugShowXUINames 0 Show tooltips with XUI path to widget
DebugSlshareLogTag Request slshare-service debug logging
DebugStatModeActualIn -1 Mode of stat in Statistics floater
DebugStatModeActualOut -1 Mode of stat in Statistics floater
DebugStatModeAgentUpdatesSec -1 Mode of stat in Statistics floater
DebugStatModeAsset -1 Mode of stat in Statistics floater
DebugStatModeBandwidth -1 Mode of stat in Statistics floater
DebugStatModeBoundMem -1 Mode of stat in Statistics floater
DebugStatModeCachedObjs -1 Mode of stat in Statistics floater
DebugStatModeChildAgents -1 Mode of stat in Statistics floater
DebugStatModeFPS -1 Mode of stat in Statistics floater
DebugStatModeFormattedMem -1 Mode of stat in Statistics floater
DebugStatModeGLMem -1 Mode of stat in Statistics floater
DebugStatModeKTrisDrawnFr -1 Mode of stat in Statistics floater
DebugStatModeKTrisDrawnSec -1 Mode of stat in Statistics floater
DebugStatModeLayers -1 Mode of stat in Statistics floater
DebugStatModeLowLODObjects -1 Mode of stat in Statistics floater
DebugStatModeMainAgents -1 Mode of stat in Statistics floater
DebugStatModeMemDrawInfo -1 Mode of stat in Statistics floater
DebugStatModeMemDrawable -1 Mode of stat in Statistics floater
DebugStatModeMemFaceData -1 Mode of stat in Statistics floater
DebugStatModeMemFonts -1 Mode of stat in Statistics floater
DebugStatModeMemGLImageData -1 Mode of stat in Statistics floater
DebugStatModeMemImageData -1 Mode of stat in Statistics floater
DebugStatModeMemInventory -1 Mode of stat in Statistics floater
DebugStatModeMemObjectCache -1 Mode of stat in Statistics floater
DebugStatModeMemObjects -1 Mode of stat in Statistics floater
DebugStatModeMemOctreeData -1 Mode of stat in Statistics floater
DebugStatModeMemOctreeGroupData -1 Mode of stat in Statistics floater
DebugStatModeMemTextureData -1 Mode of stat in Statistics floater
DebugStatModeMemTrace -1 Mode of stat in Statistics floater
DebugStatModeMemUI -1 Mode of stat in Statistics floater
DebugStatModeMemVertexBuffer -1 Mode of stat in Statistics floater
DebugStatModeMemoryAllocated -1 Mode of stat in Statistics floater
DebugStatModeNewObjs -1 Mode of stat in Statistics floater
DebugStatModeObjOccluded -1 Mode of stat in Statistics floater
DebugStatModeObjUnoccluded -1 Mode of stat in Statistics floater
DebugStatModeObjects -1 Mode of stat in Statistics floater
DebugStatModeOcclusionQueries -1 Mode of stat in Statistics floater
DebugStatModePTBandwidth -1 Mode of stat in Statistics floater
DebugStatModePTFPS -1 Mode of stat in Statistics floater
DebugStatModePTKTrisDrawnFr -1 Mode of stat in Statistics floater
DebugStatModePTKTrisDrawnSec -1 Mode of stat in Statistics floater
DebugStatModePTNewObjs -1 Mode of stat in Statistics floater
DebugStatModePTTextureCount -1 Mode of stat in Statistics floater
DebugStatModePTTotalObjs -1 Mode of stat in Statistics floater
DebugStatModePacketLoss -1 Mode of stat in Statistics floater
DebugStatModePacketsIn -1 Mode of stat in Statistics floater
DebugStatModePacketsOut -1 Mode of stat in Statistics floater
DebugStatModePhysicsFPS -1 Mode of stat in Statistics floater
DebugStatModePingSim -1 Mode of stat in Statistics floater
DebugStatModePinnedObjects -1 Mode of stat in Statistics floater
DebugStatModeRawCount -1 Mode of stat in Statistics floater
DebugStatModeRawMem -1 Mode of stat in Statistics floater
DebugStatModeSimActiveObjects -1 Mode of stat in Statistics floater
DebugStatModeSimActiveScripts -1 Mode of stat in Statistics floater
DebugStatModeSimAgentMsec -1 Mode of stat in Statistics floater
DebugStatModeSimFPS -1 Mode of stat in Statistics floater
DebugStatModeSimFrameMsec -1 Mode of stat in Statistics floater
DebugStatModeSimImagesMsec -1 Mode of stat in Statistics floater
DebugStatModeSimInPPS -1 Mode of stat in Statistics floater
DebugStatModeSimNetMsec -1 Mode of stat in Statistics floater
DebugStatModeSimObjects -1 Mode of stat in Statistics floater
DebugStatModeSimOutPPS -1 Mode of stat in Statistics floater
DebugStatModeSimPCTScriptsRun -1 Mode of stat in Statistics floater
DebugStatModeSimPendingDownloads -1 Mode of stat in Statistics floater
DebugStatModeSimPendingUploads -1 Mode of stat in Statistics floater
DebugStatModeSimPumpIOMsec -1 Mode of stat in Statistics floater
DebugStatModeSimScriptEvents -1 Mode of stat in Statistics floater
DebugStatModeSimScriptMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimAIStepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimOtherMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPCTSteppedCharacters -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsOtherMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsShapeUpdateMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimPhysicsStepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSimSkippedSilhouettSteps -1 Mode of stat in Statistics floater
DebugStatModeSimSleepMsec -1 Mode of stat in Statistics floater
DebugStatModeSimSpareMsec -1 Mode of stat in Statistics floater
DebugStatModeSimTotalUnackedBytes -1 Mode of stat in Statistics floater
DebugStatModeTexture -1 Mode of stat in Statistics floater
DebugStatModeTextureCount -1 Mode of stat in Statistics floater
DebugStatModeTimeDialation -1 Mode of stat in Statistics floater
DebugStatModeTotalObjs -1 Mode of stat in Statistics floater
DebugStatModeVFSPendingOps -1 Mode of stat in Statistics floater
DebugStatObjCacheMiss -1 Mode of stat in Statistics floater
DebugStatTextureCacheHits -1 Mode of stat in Statistics floater
DebugStatTextureCacheReadLatency -1 Mode of stat in Statistics floater
DebugViews 0 Display debugging info for views.
DebugWindowProc 0 Log windows messages
DefaultBlankNormalTexture 5b53359e-59dd-d8a2-04c3-9e65134da47a Texture used as 'Blank' in texture picker for normal maps. (UUID texture reference)
DefaultFemaleAvatar Female Shape & Outfit Default Female Avatar
DefaultLoginLocation Startup destination default (if not specified on command line)
DefaultMaleAvatar Male Shape & Outfit Default Male Avatar
DefaultObjectNormalTexture 85f28839-7a1c-b4e3-d71d-967792970a7b Texture used as 'Default' in texture picker for normal map. (UUID texture reference)
DefaultObjectSpecularTexture 87e0e8f7-8729-1ea8-cfc9-8915773009db Texture used as 'Default' in texture picker for specular map. (UUID texture reference)
DefaultObjectTexture 89556747-24cb-43ed-920b-47caed15465f Texture used as 'Default' in texture picker. (UUID texture reference)
DefaultUploadCost 10 Default sound/image/file upload cost(in case economy data is not available).
DefaultUploadPermissionsConverted 0 Default upload permissions have been converted to default creation permissions
DestinationGuideHintTimeout 1200.0 Number of seconds to wait before telling resident about destination guide.
DestinationGuideURL http://lecs-viewer-web-components.s3.amazonaws.com/v3.0/[GRID_LOWERCASE]/guide.htmlDestination guide contents
DialogStackIconVisible 0 Internal, volatile control that defines if the dialog stack browser icon is visible.
DisableAllRenderFeatures 0 Disables all rendering features.
DisableAllRenderTypes 0 Disables all rendering types.
DisableCameraConstraints 0 Disable the normal bounds put on the camera by avatar position
DisableCrashLogger 0 Do not send crash report to Linden server
DisableExternalBrowser 0 Disable opening an external browser.
DisableMouseWarp 0 Disable warping of the mouse to the center of the screen during alt-zoom and mouse look. Useful with certain input devices, mouse sharing programs like Synergy, or running under Parallels.
DisablePrecacheDelayAfterTeleporting 0 Disables the artificial delay in the viewer that precaches some incoming assets
DisableTextHyperlinkActions 0 Disable highlighting and linking of URLs in XUI text boxes
DisableVerticalSync 1 Update frames as fast as possible (FALSE = update frames between display scans)
DisplayAvatarAgentTarget 0 Show avatar positioning locators (animation debug)
DisplayChat 1 Display Latest Chat message on LCD
DisplayDebug 1 Display Network Information on LCD
DisplayDebugConsole 1 Display Console Debug Information on LCD
DisplayIM 1 Display Latest IM message on LCD
DisplayLinden 1 Display Account Information on LCD
DisplayRegion 1 Display Location information on LCD
DisplayTimecode 0 Display time code on screen
Disregard128DefaultDrawDistance 1 Whether to use the auto default to 128 draw distance
Disregard96DefaultDrawDistance 1 Whether to use the auto default to 96 draw distance
DoubleClickAutoPilot 0 Enable double-click auto pilot
DoubleClickShowWorldMap 1 Enable double-click to show world map from mini map
DoubleClickTeleport 0 Enable double-click to teleport where allowed
DragAndDropCommitDelay 0.5 Seconds before committing when hovering over a button while performing a drag and drop operation
DragAndDropDistanceThreshold 3 Number of pixels that mouse should move before triggering drag and drop mode
DragAndDropToolTipDelay 0.10000000149 Seconds before displaying tooltip when performing drag and drop operation
DropShadowButton 2 Drop shadow width for buttons (pixels)
DropShadowFloater 5 Drop shadow width for floaters (pixels)
DropShadowSlider 3 Drop shadow width for sliders (pixels)
DropShadowTooltip 4 Drop shadow width for tooltips (pixels)
DumpVFSCaches 0 Dump VFS caches on startup.
DynamicCameraStrength 2.0 Amount camera lags behind avatar motion (0 = none, 30 = avatar velocity)

E

Setting Default Description
EditAppearanceLighting 1 Enable or disable the additional lighting used while editing avatar appearance.
EditCameraMovement 0 When entering build mode, camera moves up above avatar
EditLinkedParts 0 Select individual parts of linked objects
EffectScriptChatParticles 1 1 = normal behavior, 0 = disable display of swirling lights when scripts communicate
EmbeddedLandmarkCopyToInventory 1 Copies an embedded landmark to inventory before previewing it
EmbeddedTextureStealsFocus 1 Embedded texture preview will receive focus when opened
EmotesUseItalic 0 Chat emotes are emphasized by using italic font style.
EnableAltZoom 1 Use Alt+mouse to look at and zoom in on objects
EnableAppearance 1 Enable opening appearance from web link
EnableAvatarPay 1 Enable paying other avatars from web link
EnableAvatarShare 1 Enable sharing from web link
EnableButtonFlashing 1 Allow UI to flash buttons to get your attention
EnableClassifieds 1 Enable creation of new classified ads from web link
EnableGestureSounds 1 Play sounds from gestures
EnableGrab 0 Use Ctrl+mouse to grab and manipulate objects
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableGroupInfo 1 Enable viewing and editing of group info from web link
EnableIMChatPopups 1 Enable Incoming IM Chat Popups
EnableInventory 1 Enable opening inventory from web link
EnableMouselook 1 Allow first person perspective and mouse control of camera
EnablePicks 1 Enable editing of picks from web link
EnablePlaceProfile 1 Enable viewing of place profile from web link
EnableSearch 1 Enable opening search from web link
EnableUIHints 0 Toggles UI hint popups
EnableVisualLeakDetector 0 EnableVisualLeakDetector
EnableVoiceCall 1 Enable voice calls from web link
EnableVoiceChat 1 Enable talking to other residents with a microphone
EnableWorldMap 1 Enable opening world map from web link
EnergyFromTop 20
EnergyHeight 40
EnergyWidth 175
EnvironmentPersistAcrossLogin 1 Keep Environment settings consistent across sessions
EventURL http://events.secondlife.com/viewer/embed/event/URL for Event website, displayed in the event floater
EveryoneCopy 0 (obsolete) Everyone can copy the newly created objects
ExodusLookAtLines 0 Render lines for LookAt focus points.
ExodusMouselookIFF 0 Draw tracking markers in mouselook for people in range if combat features are enabled
ExodusMouselookIFFRange 380.0 Draw tracking markers in mouselook for people in range if combat features are enabled
ExodusMouselookTextHAlign 2 Text alignment for target information text in mouselook if combat features are enabled
ExodusMouselookTextOffsetX 0.0 Text X offset for target information text in mouselook if combat features are enabled
ExodusMouselookTextOffsetY -150.0 Text Y offset for target information text in mouselook if combat features are enabled
ExternalEditor Path to program used to edit LSL scripts and XUI files, e.g.: /usr/bin/gedit –new-window “%s”
ExternalEditorConvertTabsToSpaces 1 If enabled, the script sent to the viewer from an external editor will automatically have all tabs being replaced by the default number of spaces (usually 4).

F

Setting Default Description
FMODDecodeBufferSize 1000 Sets the streaming decode buffer size (in milliseconds)
FMODProfilerEnable 0 Enable profiler tool if using FMOD
FMODResampleMethod 0 Sets the method used for internal resampler 0(Linear), 1(Cubic), 2(Spline)
FMODStreamBufferSize 7000 Sets the streaming buffer size (in milliseconds)
FPSLogFrequency 10.0 Seconds between display of FPS in log (0 for never)
FSATIFullTextureMem 0 Don't reduce ATI card texture memory automatically (EXPERIMENTAL)
FSAdvancedTooltips 1 Show extended information in hovertips about objects (classic Phoenix style)
FSAdvancedWorldmapRegionInfo 1 Shows additional region infos on the world map (agent count and maturity level)
FSAlwaysFly 0 Fly Override, for no-fly zones. Must be activated each time.
FSAlwaysOpaqueCameraControls 0 Show Camera Controls always opaque
FSAlwaysShowInboxButton 0 If enabled, the Received Items folder aka Inbox is always shown at the bottom of the inventory, even if it is shown as folder in the inventory itself.
FSAlwaysShowTPCancel 0 Always show the TP cancel button even if the sim says it cant be canceled. The sim will always know if it can and will ignore cancel requests on death/god TPs anyways. Ignores RLVa (i.e. RLV restrictions can still disable it).
FSAlwaysTrackPayments 0 Always track payments even if the money tracker is closed
FSAnimatedScriptDialogs 0 Animates script dialogs V1 style. Only effective when dialogs in top right are activated.
FSAnnounceIncomingIM 0 Opens the IM floater and announces an incoming IM as soon as somebody is starting to write an IM to you.
FSAppearanceShowHints 1 If enabled, show visual hints (avatar images) in appearance editor
FSAreaSearchAdvanced 0 Displays the advanced settings tab
FSAreaSearchColumnConfig 1023 Stores the column visibility for the area search
FSAudioMusicFadeIn 3.0 Fade in time in seconds for music streams
FSAudioMusicFadeOut 2.0 Fade out time in seconds for music streams
FSBeamColorFile Rainbow Beam file for the shape of your beam
FSBeamShape Phoenix Beam file for the shape of your beam
FSBeamShapeScale 1.3 How Big You Want to let the beam be
FSBetterGroupNoticesToIMLog 1 Improved logging of group notices to group IM log.
FSBeyondNearbyChatColorDiminishFactor 0.8 The factor the color for nearby chat diminishes if the sender is beyond chat range
FSBlockClickSit 0 Prevents sitting on left-click.
FSBubblesHideConsoleAndToasts 1 If enabled, using bubble chat will hide the chat output in the Nearby Chat console and toasts
FSBuildPrefs_ActualRoot 0 Show the axis on the actual root of a linkset instead of mass center
FSBuildPrefs_Alpha 0.0 New object created default alpha
FSBuildPrefs_Color 1.0, 1.0, 1.0, 1.0 New object created default color
FSBuildPrefs_FullBright 0 New object created default fullbright
FSBuildPrefs_Glow 0.0 New object created default glow
FSBuildPrefs_Material Wood Default Setting For New Objects to be created, physical flag
FSBuildPrefs_Phantom 0 New object created default of phantom
FSBuildPrefs_Physical 0 New object created default of physical
FSBuildPrefs_PivotIsPercent 1 Consider the Pivot points values as a percentage
FSBuildPrefs_PivotX 50 Pivot point on the X axis
FSBuildPrefs_PivotY 50 Pivot point on the Y axis
FSBuildPrefs_PivotZ 50 Pivot point on the Z axis
FSBuildPrefs_Shiny None New object created default shiny
FSBuildPrefs_Temporary 0 New object created default of temporary
FSBuildPrefs_Xsize 0.5 Default Size For New Objects to be created X
FSBuildPrefs_Ysize 0.5 Default Size For New Objects to be created Y
FSBuildPrefs_Zsize 0.5 Default Size For New Objects to be created Z
FSBuildToolDecimalPrecision 5 Decimal digits to display on various build tool controls (0-7)
FSChatHistoryShowYou 0 Show localized “You” instead of your avatar's username (like CHUI)
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSChatbarGestureAutoCompleteEnable 1 Toggles gesture auto complete in chat bar
FSChatbarNamePrediction 0 Toggles name prediction in nearby chat
FSClientTagsVisibility 0 Show client tags: 0=Client tags Off, 1=That are on the TPVD (needs FSUseLegacyClienttags), 2=That are on the client_tag.xml (needs FSUseLegacyClienttags), 3=That using the new system
FSCloudTexture Default.tga Windlight cloud texture (don't edit by hand)
FSCmdLine 1 Enable usage of chat bar as a command line
FSCmdLineAO cao Turn AO on/off
FSCmdLineBandWidth bw Change max. bandwidth quickly
FSCmdLineCalc calc Calculates an expression
FSCmdLineClearChat clrchat Clear chat transcript to stop lag from chat spam
FSCmdLineCopyCam cpcampos Copies the current camera location to a vector of the form <x, y, z> to the clipboard.
FSCmdLineDrawDistance dd Change draw distance quickly
FSCmdLineGround flr Teleport to ground function command
FSCmdLineHeight gth Teleport to height function command
FSCmdLineKeyToName key2name Use a fast key to name query
FSCmdLineMapTo mapto Teleport to a region by name rapidly
FSCmdLineMapToKeepPos 0 Whether to use current local position on teleport to the new region
FSCmdLineMedia /media Chat command for setting a media url
FSCmdLineMusic /music Chat command for setting a music url
FSCmdLineOfferTp offertp Offer a teleport to target avatar
FSCmdLinePlatformSize 30 How wide the rezzed platform will appear to be.
FSCmdLinePos gtp Teleport to position function command
FSCmdLineRezPlatform rezplat Rez a platform underneath you
FSCmdLineRollDice rolld Rolls dice - cmd [number of dice] [number of faces]. Example: cmd 1 20. Lack of parameters is equal to cmd 1 6 (standard die).
FSCmdLineTP2 tp2 Teleport to a person by name, partials work.
FSCmdLineTeleportHome tph Teleport to home function command
FSCmdTeleportToCam tp2cam Teleport to your camera
FSCollisionMessagesInChat 0 Shows collision messages in nearby chat.
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSColorIMsDistinctly 0 Color IM/Group messages distinctly in the console.
FSColorUsername 0 Color username distinctly from the rest of the tag
FSComboboxSubstringSearch 1 Allows fulltext search on comboboxes
FSCommitForSaleOnChange 0 Enables old SL default behavior. Objects set for sale will take effect on change instead of requiring a confirm first.
FSConfirmPayments 1 Enables confirmation dialogs for payments.
FSConsoleClassicDrawMode 0 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSContactListShowSearch 1 Shows the search filter in the legacy contact list.
FSContactSetsColorizeChat 0 Whether to color a friends chat based on their friends groups
FSContactSetsColorizeMiniMap 0 Whether to color a friends mini map icon based on their friends groups
FSContactSetsColorizeNameTag 0 Whether to color a friends name tag based on their friends groups
FSContactSetsColorizeRadar 0 Whether to color a friends name in the radar list based on their friends groups
FSContactSetsNotificationNearbyChat 1 Show the On/Offline notifications caused by Contactsets in Nearby Chat
FSContactSetsNotificationToast 0 Show the On/Offline notifications caused by Contactsets as Toast message
FSContactsSortOrder 3 Specifies sort order for friends (0 = by display name, 1 = username, 2 = by online status then display, 3 = by online status then username)
FSConversationLogLifetime 120 Number of days transcripts are preserved in the conversation log before being purged
FSCopyObjKeySeparator , This chunk of text goes between keys when you use the Copy Key button with multiple objects selected.
FSCreateGiveInventoryParticleEffect 1 If enabled, the viewer will create particle effects around the avatar if inventory is transferred to another avatar.
FSCreateOctreeLog 0 Create a log of octree operation. This can cause huge frame stalls on edit
FSDefaultObjectTexture 89556747-24cb-43ed-920b-47caed15465f Default texture that will be applied to rezzed prims. (UUID texture reference)
FSDestroyGLTexturesImmediately 0 If enabled, GL textures will be removed from memory immediately when its fetched texture is removed. This might result in textures behind you being unloaded.
FSDestroyGLTexturesThreshold 0.9 Threshold, at what texture memory load level GL textures will be removed from memory if FSDestroyGLTexturesImmediately is set to TRUE.
FSDisableAMDTextureMemoryCheck 0 Disable checking for low texture memory on AMD graphics cards
FSDisableAvatarTrackerAtCloseIn 1 Disables the tracking beacon if distance to target avatar is less than 3m.
FSDisableBeaconAfterTeleport 0 Disables the beacon of the teleport destination after a teleport.
FSDisableBlockListAutoOpen 0 Disables automatic opening of the block list when muting people or objects.
FSDisableIMChiclets 0 If enabled, Firestorm will not show any group / IM chat chiclets (notifications envelope and sum of IMs will remain on the screen).
FSDisableLoginScreens 0 Disable login screen progress bar
FSDisableLogoutScreens 0 Disable logout screen progress bar
FSDisableMinZoomDist 0 Disable the constraint on the closest distance the camera is allowed to get to an object.
FSDisableMouseWheelCameraZoom 0 If true, Firestorm will not use mouse wheel to zoom in/out the camera.
FSDisableReturnObjectNotification 0 Disable 'Object has been returned to your inventory Lost and Found folder' notifications
FSDisableTeleportScreens 0 Disable teleport screens
FSDisableTurningAroundWhenWalkingBackwards 0 Disables your avatar turning around locally when moving backwards.
FSDisableWMIProbing 0 Disables VRAM detection via WMI probing on Windows systems
FSDisplaySavedOutfitsCap 0 Display only so many saved outfits in edit appearance. 0 to disable.
FSDoNotHideMapOnTeleport 0 If enabled, the world map won't be closed when teleporting
FSDontIgnoreAdHocFromFriends 0 Allow my friends to start conference chats with me.
FSDontNagWhenPurging 0 If enabled, emptying trash will not double check before deleting. WARNING: You should only use this if you are a regular trash emptier and are confident that you will not lose things
FSDoubleClickAddInventoryClothing 0 Whether or not to add clothes instead of wearing them
FSDoubleClickAddInventoryObjects 0 Whether or not to add objects instead of wearing them
FSEditGrid 0 Allows editing a grid from the grid manager
FSEmphasizeShoutWhisper 1 Enables bolding shouted chat and italicizing whispered chat
FSEnableAutomaticUIScaling 1 If enabled, the viewer will try to detect the correct factor based on the scaling set in the operating system. This feature is currently only available on Windows.
FSEnableGrowl 0 Enables Growl notifications
FSEnableLogThrottle 1 Enables throttling for writing to the log file to prevent spam
FSEnableMovingFolderLinks 1 Enable moving of folder links via drag and drop
FSEnableObjectExports 1 Enable object imports and exports (WARNING: This feature is unstable and under active development. Use at your own risk!)
FSEnablePerGroupSnoozeDuration 0 Enables input of a snooze duration per group.
FSEnableRiggingToAttachmentSpots 0 Enable upload of mesh models rigged to attachment spots
FSEnableRightclickMenuInMouselook 0 Enables pie or context menus on alt right click in mouselook
FSEnableRightclickOnTransparentObjects 1 If enabled, right-clicks on transparent objects will open the context menu
FSEnableVolumeControls 1 If true, Firestorm will show volume controls (sounds, media, stream) in upper right corner of the screen. Useful, if skin already has its own controls.
FSEnabledLanguages de, en, es, it, ja, pl, ru Languages that are enabled and can be used in this install.
FSEnforceStrictObjectCheck 1 Force malformed prims to be treated as invalid. This setting derenders all malformed prims, even those that might not cause obvious issues. Setting to false will allow bad prims to render but can cause crashes. (Disabled on OpenSim)
FSExperienceSearchMaturityRating 13 Setting for the user's preferred maturity level for experiences search (consts in indra_constants.h)
FSExperimentalDragTexture 0 If enabled, allows to click-drag or click-scale (together with caps lock) a texture face in build mode. This feature is still experimental and should be used with caution.
FSExperimentalLostAttachmentsFix 1 Enables the experimental fix for attachments getting detached on teleports and region crossings.
FSExperimentalLostAttachmentsFixReport 0 If enabled, reports attachments that were attempted to get detached during a teleport or region crossing to nearby chat.
FSExperimentalRegionCrossingMovementFix 1 If enabled, use the experimental fix for region crossing movements being bogus due to false predictions by the viewer.
FSExportContents 1 Export object contents in linkset backups
FSFadeAudioStream 1 Use fading when changing the parcel audio stream.
FSFadeGroupNotices 1 Fade group notices. (V3 default: true)
FSFilterGrowlKeywordDuplicateIMs 0 Filters duplicate IMs in Growl if they have already been shown as part of a keyword alert.
FSFirstRunAfterSettingsRestore 0 Specifies that you have not run the viewer since you performed a settings restore
FSFlashOnMessage 0 Flash/Bounce the app icon when a new message is received and Firestorm is not in focus
FSFlashOnObjectIM 1 Flash/Bounce the app icon when a new instant message from an object is received and Firestorm is not in focus.
FSFlashOnScriptDialog 0 Flash/Bounce the app icon when a script dialog is received and Firestorm is not in focus
FSFlyAfterTeleport 0 Always fly after teleporting.
FSFolderViewItemHeight 20 Controls the height of folder items, for instance in inventory
FSFontChatLineSpacingPixels 2 Line spacing pixels for chat text (requires restart)
FSFontSettingsFile fonts.xml The font settings file with the font currently being used.
FSFontSizeAdjustment 0.0 Number of points to add to the defualt font sizes
FSForcedVideoMemory 0 Overrides the video memory detection on Windows if a value greater 0 is passed (in case DirectX memory detection fails or is wrong)
FSFriendListColumnShowDisplayName 0 Enables the display name column in the legacy friend list.
FSFriendListColumnShowFullName 1 Enables the full name column in the legacy friend list.
FSFriendListColumnShowPermissions 1 If enabled, show permission columns in the contacts list
FSFriendListColumnShowUserName 0 Enables the username column in the legacy friend list.
FSFriendListFullNameFormat 1 Defines the order of how the full name in the contacts list is shown (0 = username (display name), 1 = display name (username))
FSFriendListSortOrder 0 Defines the sort order of the contacts list (0 = username, 1 = display name)
FSGroupNoticesToIMLog 1 Show group notices in group chats, in addition to toasts.
FSGroupNotifyNoTransparency 0 If true, group notices will be shown opaque and ignore the floater opacity settings.
FSGrowlWhenActive 0 If Growl notifications are active, show them even when the window is active.
FSHighlightGroupMods 1 Enable group moderator message highlighting
FSHudTextFadeDistance 8.0 Sets the distance where HUD text starts to fade
FSHudTextFadeRange 4.0 Sets the range it takes for a HUD text to fade from fully visible to invisible
FSIMChatFlashOnFriendStatusChange 0 Flash IM tab when friend goes online or offline.
FSIMChatHistoryFade 0.5 Amount to fade IM text into the background of the chat transcript floater (0.25-1.0, 0.25 for really light, 1 for fully visible).
FSIMSystemMessageBrackets 0 Enables surrounding system messages with square brackets in chat transcript if using V1 style chat history. []
FSIMTabNameFormat 0 Controls in what format the name on IM tabs will be shown: 0 = Display Name, 1 = Username, 2 = Display Name (Username), 3 = Username (Display name)
FSIgnoreAdHocSessions 0 Automatically ignore and leave all conference (ad-hoc) chats.
FSIgnoreFinishAnimation 0 Disable the wait for pre-jump or landing. Credit to Zwagoth Klaar for coding this.
FSIgnoreSimulatorCameraConstraints 0 Ignores the 'push' the simulator applies to your camera to keep it out of objects.(Requires restart to work correctly)
FSImportBuildOffset 5.0, 0.0, 2.0 Distance from user the importer begins to build
FSInspectAvatarSlurlOpensProfile 0 Open the full profile of an avatar directly when clicking on its name
FSInternalFontSettingsFile The font settings file with the font currently being used in this session.
FSInternalLegacyNotificationWell 0 Internal state of FSLegacyNotificationWell
FSInternalShowNavbarFavoritesPanel 1 Internal control to show/hide navigation bar favorites panel
FSInternalShowNavbarNavigationPanel 0 Internal control to show/hide navigation bar navigation panel
FSInternalSkinCurrent The currently selected skin in the current session.
FSInternalSkinCurrentTheme The selected theme for the current skin in the current session.
FSInterpolateSky 1 FSInterpolateSky
FSInterpolateWater 1 FSInterpolateWater
FSKeepUnpackedCacheFiles 0 If TRUE, the viewer won't delete unpacked cache files when logging out (improves overall performance and fixes sound bugs)
FSLandmarkCreatedNotification 0 Display a notification if a landmark is added to your inventory.
FSLastSearchTab 0 Last selected tab in search window
FSLastSnapshotPanel The last snapshot panel that was opened and will be restored the next time the snapshot floater is opened.
FSLastSnapshotToFacebookHeight 768 The height of the last Facebook snapshot, in px
FSLastSnapshotToFacebookResolution 4 At what resolution should snapshots be posted on Facebook. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToFacebookWidth 1024 The width of the last Facebook snapshot, in px
FSLastSnapshotToFlickrHeight 768 The height of the last Flickr snapshot, in px
FSLastSnapshotToFlickrResolution 4 At what resolution should snapshots be posted on Flickr. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToFlickrWidth 1024 The width of the last Flickr snapshot, in px
FSLastSnapshotToTwitterHeight 768 The height of the last Twitter snapshot, in px
FSLastSnapshotToTwitterResolution 3 At what resolution should snapshots be posted on Twitter. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
FSLastSnapshotToTwitterWidth 1024 The width of the last Twitter snapshot, in px
FSLatencyOneTimeFixRun 0 One time fix has run for this install for script dialog colors on Latency
FSLegacyEdgeSnap 0 Use old method for adjusting edge snap regions.
FSLegacyMinimize 0 Minimize floaters to bottom left instead of top left.
FSLegacyNameCacheExpiration 0 Use the legacy avatar name cache expiration (expiration at least 60 mins.)
FSLegacyNametagPosition 1 Enables the legacy nametag behavior of staying fixed at the avatar's position instead of following animation movements.
FSLegacyNotificationWell 0 Enables the legacy notifications and system messages well
FSLegacyRadarFriendColoring 0 Use old style for friends on the radar. Uses same color as minimap.
FSLegacyRadarLindenColoring 0 Color Lindens on the radar the same as the minimap.
FSLegacySearchActionOnTeleport 1 Controls what action Legacy Search should take when teleporting: 0 = No effect, 1 = Close floater, 2 Minimise floater
FSLetterKeysFocusNearbyChatBar 1 If enabled, the chat bar in the Nearby Chat window will be preferred if it contains a chat bar and LetterKeysAffectsMovementNotFocusChatBar is FALSE.
FSLimitFramerate 0 Enable framerate limitation defined by FramePerSecondLimit
FSLinuxEnableWin32VoiceProxy 0 Use Win32 SLVoice.exe for voice. Needs wine (https://www.winehq.org/) installed, as SLVoice.exe is started inside wine.
FSLogAutoAcceptInventoryToChat 1 If enabled, auto-accepted inventory items will be logged to nearby chat.
FSLogGroupImToChatConsole 0 Defines if group IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogIMInChatHistory 0 If true, IM will also be logged in the nearby chat transcript if logging nearby chat and showing IMs in nearby chat is enabled.
FSLogImToChatConsole 0 Defines if IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogSnapshotsToLocal 0 Log filename of saved snapshots in to chat history
FSLoginDontSavePassword 0 Internal setting used to indicate that passwords shouldn't be saved if –login cmdline switch is used.
FSMarkObjects 0 Mark unnamed objects with (No Name)
FSMaxAnimationPriority 4 Allow uploading animations with higher priority (up to 6) NOTE: Only priorities up to level 5 are supported! (Default: 4)
FSMaxBeamsPerSecond 40 How many selection beam updates to send in a second
FSMaxPendingIMMessages 25 Maximum number of pending IM or group messages before a minimized or not visible chat window will be updated
FSMenuSearch 1 If enabled, the viewer will show a search box for top menu items.
FSMilkshakeRadarToasts 0 When enabled, radar alerts will be sent as notification toasts.
FSMiniMapOpacity 0.66 The opacity for the minimap background
FSMinimapPickScale 3.0 Controls the pick radius on the minimap
FSModNameStyle 1 Font style settings for moderators' name if FSHighlightGroupMods enabled. 0=NORMAL 1=BOLD 2=ITALIC 3=BOLD ITALIC 4=UNDERLINE 5=BOLD UNDERLINE 6=ITALIC UNDERLINE 7=BOLD ITALIC UNDERLINE
FSModTextStyle 1 Font style settings for moderators' name if FSHighlightGroupMods enabled. 0=NORMAL 1=BOLD 2=ITALIC 3=BOLD ITALIC 4=UNDERLINE 5=BOLD UNDERLINE 6=ITALIC UNDERLINE 7=BOLD ITALIC UNDERLINE
FSMouselookCombatFeatures 0 Enable combat features (target distance etc.) when in mouselook
FSMuteAllGroups 0 Disable ALL group chats.
FSMuteGroupWhenNoticesDisabled 0 When 'Receive group notices' is disabled, disable group chat as well.
FSNameTagShowLegacyUsernames 0 Show legacy name (Firstname Lastname) in user tags instead of username
FSNameTagZOffsetCorrection 0 Changes the default Z-offset of the avatar nametags.
FSNearbyChatToastsOffset 20 Vertical offset of the nearby chat toasts
FSNearbyChatbar 1 Set to true to add a chat bar to the Nearby Chat window
FSNetMapDoubleClickAction 2 Defines the action happening if the a double click occurs on a minimap instance (minimap floater or within people panel): 0 = Nothing, 1 = Open world map, 2 = teleport to location
FSNetMapPhantomOpacity 90 Percentage of opacity for phantom objects on netmap.
FSNetMapPhysical 0 Accent physical objects on netmap in different colors.
FSNetMapScripted 0 Accent scripted objects on netmap in different colors.
FSNetMapTempOnRez 0 Accent temp on rez objects on netmap in different colors.
FSNoScreenShakeOnRegionRestart 0 Don't shake my screen when region restart alert message is shown
FSNotifyIMFlash 1 Flash FUI button if new (group) IMs arrived and conversations floater is closed (IM floater must be docked to conversations floater and IMs must be shown in tabs)
FSNotifyIncomingObjectSpam 1 Notify about throttled incoming object offers from objects.
FSNotifyIncomingObjectSpamFrom 1 Notify about throttled incoming object offers from named sources.
FSNotifyNearbyChatFlash 1 Flash FUI button if new nearby chat arrived and conversations floater is closed (nearby chat floater must be docked to conversations floater)
FSNotifyUnreadChatMessages 1 Notify about new unread chat messages in history if scrolled back
FSNotifyUnreadIMMessages 1 Notify about new unread IM messages in history if scrolled back
FSOOCPostfix )) Postfix to mark OOC chat
FSOOCPrefix (( Prefix to mark OOC chat
FSOfferThrottleMaxCount 5 The number of objects offered within a second duration before throttling starts.
FSOpenIMContainerOnOfflineMessage 0 Open the IM container at login when an offline message is present.
FSOpenInventoryAfterSnapshot 1 If enabled, the inventory window will open and show the snapshot after upload
FSOpenSimLightshare 1 Enables Lightshare WindLight on compatible OpenSim regions
FSParcelMusicAutoPlay 0 Auto play parcel music when available
FSParticleChat 0 Speak Particle Info on channel 9000
FSPaymentConfirmationThreshold 200 Threshold when payment confirmation dialogs are triggered
FSPaymentInfoInChat 0 If true, L$ balance changes will be shown in nearby chat instead of toasts.
FSPermissionDebitDefaultDeny 1 If enabled, LSL script debit permission dialogs will default to deny. If disabled, they will default to allow.
FSPlayCollisionSounds 1 Play collision sounds.
FSPoseStandLastSelectedPose Last selected pose in the pose stand
FSPoseStandLock 0 When enabled, posestand will lock the avatar to the ground.
FSPurgeInventoryCacheOnStartup Clear the inventory cache of the specific agent (ID) at next startup
FSRadarColorNamesByDistance 0 Colors avatar nametags by distance in the radar.
FSRadarColumnConfig 1023 Stores the column visibility of the radar
FSRadarEnhanceByBridge 1 Enhance radar functionality by using client LSL Bridge.
FSRadarShowMutedAndDerendered 1 If enabled, show muted or derendered avatars in radar list
FSReleaseCandidateChannelId RC Defines the string that identifies a simulator release candidate channel in the simulator version string.
FSRemapLinuxShortcuts 0 If enabled, use the special shortcuts on Linux to remap shortcuts that are already in use by the operating system (e.g. CTRL-ALT-Fx)
FSRememberUsername 1 Stores the username used for logging in.
FSRemoveFlyHeightLimit 1 Remove the 4096m high fly limit
FSRemoveScriptBlockButton 0 Removes the “block” from script dialogs.
FSRenderBeaconText 1 Show beacon text in the viewer window if beacons are enabled
FSRenderDoFUnderwater 0 Whether to use depth of field effect when enabled and underwater
FSRenderFarClipStepping 0 Set to TRUE to increase performance via progressive draw distance stepping
FSRenderFarClipSteppingInterval 20 Interval in seconds between each draw distance increment
FSRenderParcelSelectionToMaxBuildHeight 0 Shows the parcel boundary up to the maximum build height instead of just 0.66m above ground
FSRenderVignette 0.0, 1.0, 1.0 Amount of vignette to apply (X), power of vignette shading (Y), and multiplier for vignette shading (Z).
FSReportBlockToNearbyChat 0 Reports changes to the blocklist in nearby chat
FSReportCollisionMessages 0 Report collision messages to scripts.
FSReportCollisionMessagesChannel -25000 The channel used to report collision messages to scripts.
FSReportIgnoredAdHocSession 0 Reports to nearby chat if a conference (ad-hoc) has been ignored.
FSReportMutedGroupChat 0 Reports to nearby chat if a group chat has been muted.
FSReportTotalScriptCountChanges 0 Reports if the change of total number of active scripts in a region exceeds the defined threshold.
FSReportTotalScriptCountChangesThreshold 100 Minimum change of total active scripts in a region before reporting.
FSResetCameraOnMovement 1 If true, Firestorm will reset camera on avatar movement.
FSResetCameraOnTP 1 If true the camera will be reset to behind the avatar on teleporting
FSRevokePerms 0 Revokes objects anim perms on your avatar on: 0) never, 1) on sit, 2) on stand, 3) on sit and stand.
FSRowsPerScriptDialog 20 The number of rows visible in a script dialog
FSSaveInventoryScriptsAsMono 1 Saves scripts edited directly from inventory as Mono instead of LSL
FSSavedRenderFarClip 0.0 Saved draw distance (used in case of logout during progressive draw distance stepping)
FSScriptDebugWindowClearOnClose 0 Clear [ALL SCRIPTS] tab of script debug/error window on close.
FSScriptDialogNoTransparency 0 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSScriptEditorRecompileButton 0 Enables the save button to recompile scripts when no change in the opened script has occurred. Very useful for preproc scripts that consist of only includes. Only enabled with preproc since its pointless otherwise.
FSScriptingFontName Scripting The name of the font used for the LSL script editor
FSScriptingFontSize Scripting The size of the font used for the LSL script editor
FSScrollWheelExitsMouselook 1 If enabled, mouselook can be left by turning the scroll wheel
FSSecondsinChatTimestamps 0 Show seconds in chat timestamps, in the chat window and logs
FSSelectCopyableOnly 0 Only include copyable objects during selection
FSSelectIncludeGroupOwned 1 Includes group-owned objects during selection
FSSelectLocalSearchEditorOnShortcut 1 If enabled, pressing the shortcut for search (CTRL-F) will focus the search field of the active window (if available).
FSSelectLockedOnly 0 Select only objects that are locked
FSSendTypingState 1 Send typing start and typing stop state notifications to other clients.
FSShowAutorespondInNametag 0 Does the user want to see autorespond mode in his own nametag?
FSShowBackSLURL 1 Report the SLURL of the region you completed a teleport from
FSShowChatChannel 0 Shows/Hides the channel selector in the Nearby Chat command line
FSShowChatType 1 Shows/Hides the chat type selector (Whisper, Say, Shout)
FSShowConversationVoiceStateIndicator 1 Show the voice state indicator in the conversation floater tabs
FSShowConvoAndRadarInML 0 Conversations and Radar windows stays visible when entering mouselook if it was open already.
FSShowCurrencyBalanceInSnapshots 1 Show your currency balance in snapshots
FSShowCurrencyBalanceInStatusbar 1 Show the current balance in the statusbar if enabled
FSShowDisplayNameUpdateNotification 1 Show system notifications if somebody changes their display name.
FSShowDummyAVsinRadar 0 If true, shows dummy (preview) avatars in radar.
FSShowGroupNameLength 0 Max length of group name to be printed in chat (-1 for full group name, 0 for disabled).
FSShowGroupTitleInTooltip 1 Shows the group title of an avatar in the tooltip.
FSShowIMInChatHistory 0 If true, IM will also be shown in the nearby chat transcript.
FSShowIMSendButton 1 Shows the send chat button in IM session windows
FSShowInboxFolder 0 If enabled, the Received Items folder aka Inbox is shown in the inventory as folder.
FSShowInterfaceInMouselook 0 If true, Firestorm will show user interface in mouselook mode.
FSShowJoinedGroupInvitations 0 If enabled, invitations to groups you are already a member in will be shown
FSShowMessageCountInWindowTitle 0 Displays the number of unread IMs in the application window title.
FSShowMouselookInstructions 1 If true, instructions about leaving Mouseview are displayed.
FSShowMutedChatHistory 0 Shows the muted text in nearby chat transcript if enabled.
FSShowRegionGridCoordinates 0 Show the grid coordinates of each region in the world map.
FSShowServerVersionChangeNotice 1 Shows a notice if the simulator version is different after a region crossing or teleport.
FSShowStatsBarInMouselook 0 Makes it so that the statistics bar stays visible when entering mouselook if it was open already.
FSShowTimestampsIM 1 Show timestamps in IM
FSShowTimestampsNearbyChat 1 Show timestamps in nearby chat
FSShowTimestampsTranscripts 1 Show timestamps in transcripts
FSShowToastsInFront 0 Show toasts in front of other floaters if enabled
FSShowTypingStateInNameTag 0 Shows in the nametag of an avatar if they are typing
FSShowUploadPaymentToast 1 Show UploadPayment Notifications
FSShowVoiceVisualizer 1 Hides the voice dot over avatars if disabled.
FSSimpleAvatarShadows 3 How to render deferred avatar shadows. 0=none, 1=simplified (no rigged mesh shadows), 2=optimized (slower but still faster than legacy when several avatars are around), 3=legacy (like the SL viewer, slow with complex rigged attachments).
FSSkinClobbersColorPrefs 1 If enabled the default color scheme for newly selected skins will be overwritten with the user's current selected colors. (default off)
FSSkinClobbersToolbarPrefs 0 If enabled the default toolbar layout for newly selected skins will be overwritten with the user's current layout. (default off)
FSSkinCurrentReadableName Firestorm The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Grey The readable name of the selected theme for the current skin.
FSSnapshotLocalFormat 0 Save snapshots to disk in this format (0 = PNG, 1 = JPEG, 2 = BMP)
FSSortFSFoldersToTop 1 Sorts the #FS and #RLV folders to the top like system folders.
FSSoundCacheLocation Location for caching sound files (.DSF); Uses default cache directory if empty
FSSplitInventorySearchOverTabs 0 If enabled, the search terms for inventory can be entered for each tab individually.
FSStartupClearBrowserCache 0 Clear internal browser cache on next startup.
FSStatbarLegacyMeanPerSec 0 Use legacy period mean per second display for stat bars.
FSStaticEyesUUID eff31dd2-1b65-5a03-5e37-15aca8e53ab7 Animation UUID to used to stop idle eye moment (Default uses priority 2)
FSStatisticsNoFocus 0 If enabled, the statistics bar will never gain focus (i.e. from closing another floater).
FSStatusBarMenuButtonPopupOnRollover 1 Enable rollover popups on top status bar menu icons: Quick Graphics Presets, Volume, and Media.
FSStatusBarShowFPS 1 If enabled, shows the current FPS in the main menu bar
FSStatusbarShowSimulatorVersion 0 If enabled, the simulator version is included in the V1-like statusbar.
FSStreamList Saved list of media streams
FSSupportGroupChatPrefix2 0 Adds (FS 1.2.3) to support group chat
FSTPHistoryTZ utc Select the timezone to be used with Teleport History. ('utc' = default, 'slt' = Second Life Time, 'local' = the local timezone of the client)
FSTagShowARW 1 If enabled, the avatar complexity will be shown in the nametag for every avatar.
FSTagShowDistance 0 If enabled, show distance to other avatars in their nametag.
FSTagShowDistanceColors 0 If enabled, color other avatars' nametags based on their distance
FSTagShowOwnARW 0 If enabled, the avatar complexity for the own avatar will be shown in the nametag.
FSTagShowTooComplexOnlyARW 1 If enabled, the avatar complexity will be shown in the nametag only for too complex avatars (Jelly Dolls)
FSTeleportHistoryShowDate 0 Shows the exact date and time in the teleport history.
FSTeleportHistoryShowPosition 0 Shows the local position within a region in the teleport history.
FSTeleportToOffsetLateral 0.0 Horizontal distance from the target avatar that is used for teleporting to them.
FSTeleportToOffsetVertical 2.0 Vertical distance from the target avatar that is used for teleporting to them.
FSTempDerenderUntilTeleport 1 If enabled, temporary derendered objects will stay derendered until teleport. If disabled, they stay derendered until the end of the session or get manually re-rendered via asset blacklist floater.
FSTextureDefaultSaveAsFormat 0 The default “save as” format for textures, in the texture preview floater or context menu in inventory. False: TGA, True: PNG.
FSToolbarsResetOnModeChange 1 If enabled the user's current toolbar layout for newly selected modes will be overwritten with the default one for a mode. (default on)
FSToolboxExpanded 1 Whether to show additional build tool controls
FSTrimLegacyNames 1 Trim “Resident” from Legacy Names.
FSTurnAvatarToSelectedObject 1 If enabled, the avatar turns towards an selected object
FSTypeDuringEmote 0 Enables the typing animation even while emoting
FSTypingChevronPrefix 0 Adds an additional chevron prefix to the IM window as typing indicator
FSUndeformUUID 44e98907-3764-119f-1c13-cba9945d2ff4 Animation UUID to use for the undeform
FSUnfocusChatHistoryOnReturn 1 De-focus chat history after sending a message
FSUnlinkConfirmEnabled 1 Unlink confirmation dialog functionality enabled?
FSUploadAnimationOnOwnAvatar 1 Uploading an animation preview on own avatar if set to true, preview on dummy if false. Both plays only on the local machine.
FSUseAis3Api 1 Option to disable the use of the AISv3 inventory API. NOTE: This setting has NO EFFECT in Second Life!
FSUseAltOOC 1 Set to TRUE to use the keyboard shortcut Alt+Enter to send ((OOC)) messages to Nearby Chat.
FSUseAzertyKeyboardLayout 0 Uses a keyboard layout suitable for keyboards with AZERTY layout.
FSUseBuiltInHistory 1 Open the conversation transcript in the built in log viewer.
FSUseCtrlShout 1 Set to TRUE to use the keyboard shortcut Ctrl+Enter to Shout in Nearby Chat.
FSUseLegacyClienttags 2 0=Off, 1=Local Client tags, 2=Download Client tags (needs relog)
FSUseLegacyCursors 0 Use 1.x style cursors instead
FSUseLegacyInventoryAcceptMessages 0 If enabled, the viewer will send accept/decline response for inventory offers after the according button has been pressed and not if the item has been received at the receiver's inventory already.
FSUseLegacyLoginPanel 0 If enabled, the legacy layout version of the login panel will be used
FSUseLegacyObjectProperties 1 If enabled, the legacy object profile floater will be used when opening object properties.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseNewRegionRestartNotification 1 Use the new region restart notification instead of the old one with toasts
FSUseReadOfflineMsgsCap 0 If enabled, use the ReadOfflineMsgsCap to request offline messages at login
FSUseShiftWhisper 1 Set to TRUE to use the keyboard shortcut Shift+Enter to Whisper in Nearby Chat.
FSUseSingleLineChatEntry 0 Use single line chat entry instead of auto-expanding chat entry
FSUseStandaloneBlocklistFloater 0 If enabled, Firestorm will use a standalone floater for the blocklist.
FSUseStandaloneGroupFloater 1 If enabled, Firestorm will use a standalone floater for each group profile.
FSUseStandalonePlaceDetailsFloater 0 If enabled, Firestorm will use a standalone floater for each landmark details, teleport history details and parcel details view.
FSUseStandaloneTeleportHistoryFloater 0 If enabled, Firestorm will use a standalone floater for the teleport history view.
FSUseStatsInsteadOfLagMeter 0 Clicking on traffic indicator (upper right) toggles Statistics window, not the Lag Meter window
FSUseV2Friends 0 Makes Comm→Friends and Comm→Groups open the v2 based windows.
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
FSVolumeControlsPanelOpen 0 Internal control for visibility of volume control panel.
FSWLParcelEnabled 1 Enables auto setting WL from parcel desc flags
FSWLWhitelistAll 0 Allow all land for Phoenix WL sharing
FSWLWhitelistFriends 1 Whitelist friend's land for Phoenix WL sharing
FSWLWhitelistGroups 1 Whitelist group land on groups you are member of for Phoenix WL sharing
FSWearableFavoritesSortOrder 3 The sort order for the wearable favorites item list
FSWindlightInterpolateTime 3.0 Timespan for interpolating between Windlight settings
FSWorldMapDoubleclickTeleport 1 If enabled, double click teleports on the world map will be enabled (default).
FSdataQAtest 0 Enable testing fsdata instead of the normal fsdata
FSllOwnerSayToScriptDebugWindowRouting 0 Routing options for FSllOwnerSayToScriptDebugWindow (0 = both tabs, 1 = only object's own tab, 2 = only [ALL SCRIPTS] tab). Errors will still go to both.
FastCacheFetchEnabled 1 Enable texture fast cache fetching if set
FeatureManagerHTTPTable http://viewer-settings.firestormviewer.orgBase directory for HTTP feature/gpu table fetches
FilterItemsMaxTimePerFrameUnvisible 1 Max time devoted to items filtering per frame for non visible inventory listings (in milliseconds)
FilterItemsMaxTimePerFrameVisible 10 Max time devoted to items filtering per frame for visible inventory listings (in milliseconds)
FindLandArea 0 Enables filtering of land search results by area
FindLandPrice 1 Enables filtering of land search results by price
FindLandType All Controls which type of land you are searching for in Find Land interface (“All”, “Auction”, “For Sale”)
FindPeopleOnline 0 Limits people search to only users who are logged on
FindPlacesPictures 0 Display only results of find places that have pictures
FirstLoginThisInstall 1 Specifies that you have not logged in with the viewer since you performed a clean install
FirstName Login first name
FirstPersonAvatarVisible 0 Display avatar and attachments below neck while in mouse look
FirstRunThisInstall 1 Specifies that you have not run the viewer since you performed a clean install
FirstSelectedDisabledPopups 0 Return false if there is not disabled popup selected in the list of floater preferences popups
FirstSelectedEnabledPopups 0 Return false if there is not enable popup selected in the list of floater preferences popups
FirstUseFlyOverride 1 Whether the next use of the Fly Override would be the first use
FixedWeather 0 Weather effects do not change over time
FlashCount 8 Number of flashes of item. Requires restart.
FlashPeriod 0.5 Period at which item flash (seconds). Requires restart.
FloaterActiveSpeakersSortAscending 1 Whether to sort up or down
FloaterActiveSpeakersSortColumn speaking_status Column name to sort on
FloaterMapEast E Floater Map East Label
FloaterMapNorth N Floater Map North Label
FloaterMapNorthEast NE Floater Map North-East Label
FloaterMapNorthWest NW Floater Map North-West Label
FloaterMapSouth S Floater Map South Label
FloaterMapSouthEast SE Floater Map South-East Label
FloaterMapSouthWest SW Floater Map South-West Label
FloaterMapWest W Floater Map West Label
FloaterStatisticsRect 0, 400, 250, 0 Rectangle for chat transcript
FlycamAbsolute 0 Treat Flycam values as absolute positions (not deltas).
FlycamAxisDeadZone0 0.1 Flycam axis 0 dead zone.
FlycamAxisDeadZone1 0.1 Flycam axis 1 dead zone.
FlycamAxisDeadZone2 0.1 Flycam axis 2 dead zone.
FlycamAxisDeadZone3 0.1 Flycam axis 3 dead zone.
FlycamAxisDeadZone4 0.1 Flycam axis 4 dead zone.
FlycamAxisDeadZone5 0.1 Flycam axis 5 dead zone.
FlycamAxisDeadZone6 0.1 Flycam axis 6 dead zone.
FlycamAxisScale0 2.10 Flycam axis 0 scaler.
FlycamAxisScale1 2.0 Flycam axis 1 scaler.
FlycamAxisScale2 2.0 Flycam axis 2 scaler.
FlycamAxisScale3 0.0 Flycam axis 3 scaler.
FlycamAxisScale4 0.1 Flycam axis 4 scaler.
FlycamAxisScale5 0.15 Flycam axis 5 scaler.
FlycamAxisScale6 0.1 Flycam axis 6 scaler.
FlycamBuildModeScale 1.0 Scale factor to apply to flycam movements when in build mode.
FlycamFeathering 2.75 Flycam feathering (less is softer)
FlycamZoomDirect 0 Map flycam zoom axis directly to camera zoom.
FlyingAtExit 0 Was flying when last logged out, so fly when logging in
FocusOffsetFrontView 0.0, 0.0, 0.0 Initial focus point offset relative to avatar for the camera preset Front View
FocusOffsetGroupView 1.5, 0.7, 1.0 Initial focus point offset relative to avatar for the camera preset Group View
FocusOffsetRearView 1.0, 0.0, 1.0 Initial focus point offset relative to avatar for the camera preset Rear View (x-axis is forward)
FocusPosOnLogout 0.0, 0.0, 0.0 Camera focus point when last logged out (global coordinates)
FolderAutoOpenDelay 0.75 Seconds before automatically expanding the folder under the mouse when performing inventory drag and drop
FolderLoadingMessageWaitTime 0.5 Seconds to wait before showing the LOADING… text in folder views
FontScreenDPI 96.0 Font resolution, higher is bigger (pixels per inch)
ForceAssetFail 255 Force wearable fetches to fail for this asset type.
ForceInitialCOFDelay 0.0 Number of seconds to delay initial processing of COF contents
ForceLoginURL Force a specified URL for login page content - used if exists
ForceMandatoryUpdate 0 For QA: On next startup, forces the auto-updater to run
ForceMissingType 255 Force this wearable type to be missing from COF
ForcePeriodicRenderingTime -1.0 Periodically enable all rendering masks for a single frame.
ForceShowGrid 0 Always show grid dropdown on login screen
FramePerSecondLimit 120 Controls upper limit of frames per second
FreezeTime 0
FriendsListHideUsernames 0 Show both Display name and Username in Friend list
FriendsListShowIcons 1 Show/hide online and all friends icons in the friend list
FriendsListShowPermissions 1 Show/hide permission icons in the friend list
FriendsSortOrder 0 Specifies sort order for friends (0 = by name, 1 = by online status)
FullScreen 0 run a fullscreen session
FullScreenAspectRatio 3.0 Aspect ratio of fullscreen display (width / height)
FullScreenAutoDetectAspectRatio 0 Automatically detect proper aspect ratio for fullscreen display

G

Setting Default Description
GenericErrorPageURL http://common-flash-secondlife-com.s3.amazonaws.com/viewer/v2.6/agni/404.htmlURL to set as a property on LLMediaControl to navigate to if the a page completes with a 400-499 HTTP status code
GesturesEveryoneCopy 0 Everyone can copy the newly created gesture
GesturesMarketplaceURL https://marketplace.secondlife.com/products/search?search[category_id]=200&search[maturity][]=General&search[page]=1&search[per_page]=12URL to the Gestures Marketplace
GesturesNextOwnerCopy 1 Newly created gestures can be copied by next owner
GesturesNextOwnerModify 1 Newly created gestures can be modified by next owner
GesturesNextOwnerTransfer 1 Newly created gestures can be resold or given away by next owner
GesturesShareWithGroup 0 Newly created gestures are shared with the currently active group
GoogleTranslateAPIKey Google Translate API key
GridCrossSections 0 Highlight cross sections of prims with grid manipulation plane.
GridDrawSize 12.0 Visible extent of 2D snap grid (meters)
GridListDownload 1 Whether to fetch a grid list from the URL specified in GridListDownloadURL.
GridListDownloadURL http://phoenixviewer.com/app/fsdata/grids.xmlFetch a grid list from this URL.
GridMode 0 Snap grid reference frame (0 = world, 1 = local, 2 = reference object)
GridOpacity 0.699999988079 Grid line opacity (0.0 = completely transparent, 1.0 = completely opaque)
GridResolution 0.5 Size of single grid step (meters)
GridStatusFloaterRect 0, 520, 625, 0 Web profile floater dimensions
GridStatusRSS https://secondlife-status.statuspage.io/history.atomURL that points to SL Grid Status RSS
GridStatusUpdateDelay 60.0 Timer delay for updating Grid Status RSS.
GridSubUnit 0 Display fractional grid steps, relative to grid size
GridSubdivision 32 Maximum number of times to divide single snap grid unit when GridSubUnit is true
GroupListShowIcons 1 Show/hide group icons in the group list
GroupMembersSortOrder name The order by which group members will be sorted (name, donated, online)
GroupNotifyBoxHeight 260 Height of group notice messages
GroupNotifyBoxWidth 305 Width of group notice messages
GroupSnoozeTime 900 Amount of time (in seconds) group chat will be snoozed for

H

Setting Default Description
HeadlessClient 0 Run in headless mode by disabling GL rendering, keyboard, etc
HeightUnits 1 Determines which metric units are used: 1(TRUE) for meter and 0(FALSE) for foot.
HelpFloaterOpen 0 Show Help Floater on login?
HelpURLFormat http://wiki.phoenixviewer.com/[TOPIC]URL pattern for help page; arguments will be encoded; see llviewerhelp.cpp:buildHelpURL for arguments
HideSelectedObjects 0 Hide Selected Objects
HideUIControls 0 Hide all menu items and buttons
HighResSnapshot 0 Double resolution of snapshot from current window resolution
HomeSidePanelURL https://viewer-sidebar.secondlife.com/sidebar.htmlURL for the web page to display in the Home side panel
HostID Machine identifier for hosted Second Life instances
HowToHelpURL http://www.phoenixviewer.com/viewerfloater/howtofloater/index.htmlURL for How To help content
HtmlHelpLastPage Last URL visited via help system
HttpPipelining 1 If true, viewer will attempt to pipeline HTTP requests.
HttpProxyType Socks Proxy type to use for HTTP operations
HttpRangeRequestsDisable 0 If true, viewer will not issue GET requests with 'Range:' headers for meshes and textures. May resolve problems with certain ISPs and networking gear.

I

Setting Default Description
IMShowContentPanel 1 Show Toolbar and Body Panels
IMShowControlPanel 1 Show IM Control Panel
IMShowNamesForP2PConv 1 Enable(disable) showing of a names in the chat.
IMShowTime 1 Enable(disable) timestamp showing in the chat.
IMShowTimestamps 1 Show timestamps in IM
IgnoreAllNotifications 0 Ignore all notifications so we never need user input on them.
IgnorePixelDepth 0 Ignore pixel depth settings.
ImagePipelineUseHTTP 1 If TRUE use HTTP GET to fetch textures from the server
ImporterDebug 0 Enable debug output to more precisely identify sources of import errors. Warning: the output can slow down import on many machines.
ImporterLegacyMatching 0 Enable index based model matching.
ImporterModelLimit 768 Limits amount of importer generated models for dae files
ImporterPreprocessDAE 1 Enable preprocessing for DAE files to fix some ColladaDOM related problems (like support for space characters within names and ids).
InBandwidth 0.0 Incoming bandwidth throttle (bps)
InactiveFloaterTransparency 0.95 Transparency of inactive floaters (floaters that have no focus)
IncludeEnhancedSkeleton 1 Include extended skeleton joints when rendering skinned meshes.
IndirectMaxComplexity 0 Controls RenderAvatarMaxComplexity in a non-linear fashion (do not set this value)
IndirectMaxNonImpostors 0 Controls RenderAvatarMaxNonImpostors in a non-linear fashion (do not set this value)
InspectorFadeTime 0.5 Fade out timing for inspectors
InspectorShowTime 3.0 Stay timing for inspectors
InstallLanguage default Language passed from installer (for UI)
InternalShowGroupNoticesTopRight 1 Holds the information if group notifications should be shown in top right corner of the screen throughout the session.
InterpolationPhaseOut 1.0 Seconds to phase out interpolated motion
InterpolationTime 3.0 How long to extrapolate object motion after last packet received
InventoryAutoOpenDelay 1.0 Seconds before automatically opening inventory when mouse is over inventory button when performing inventory drag and drop
InventoryDebugSimulateLateOpRate 0.0 Rate at which we simulate late-completing copy/link requests in some operations
InventoryDebugSimulateOpFailureRate 0.0 Rate at which we simulate failures of copy/link requests in some operations
InventoryDisplayInbox 0 UNUSED - Controlled via FSShowInboxFolder and FSAlwaysShowInboxButton: Override received items inventory inbox display
InventoryInboxToggleState 0 Stores the open/closed state of inventory Received items panel
InventoryLinking 1 Enable ability to create links to folders and items via “Paste as link”.
InventoryOutboxDisplayBoth 0 Show the legacy Merchant Outbox UI as well as the Marketplace Listings UI
InventoryOutboxLogging 0 Enable debug output associated with the Merchant Outbox.
InventoryOutboxMakeVisible 0 Enable making the Merchant Outbox visible in the inventory for debug purposes.
InventoryOutboxMaxFolderCount 20 Maximum number of subfolders allowed in a listing in the merchant outbox.
InventoryOutboxMaxFolderDepth 4 Maximum number of nested levels of subfolders allowed in a listing in the merchant outbox.
InventoryOutboxMaxItemCount 200 Maximum number of items allowed in a listing in the merchant outbox.
InventoryOutboxMaxStockItemCount 200 Maximum number of items allowed in a stock folder.
InventorySortOrder 7 Specifies sort key for inventory items (+0 = name, +1 = date, +2 = folders always by name, +4 = system folders to top)
InventoryTrashMaxCapacity 5000 Maximum capacity of the Trash folder. User will be offered to clean it up when exceeded.
InvertMouse 0 When in mouselook, moving mouse up looks down and vice verse (FALSE = moving up looks up)

J

Setting Default Description
JoystickAvatarEnabled 1 Enables the Joystick to control Avatar movement.
JoystickAxis0 1 Flycam hardware axis mapping for internal axis 0 ([0, 5]).
JoystickAxis1 0 Flycam hardware axis mapping for internal axis 1 ([0, 5]).
JoystickAxis2 2 Flycam hardware axis mapping for internal axis 2 ([0, 5]).
JoystickAxis3 4 Flycam hardware axis mapping for internal axis 3 ([0, 5]).
JoystickAxis4 3 Flycam hardware axis mapping for internal axis 4 ([0, 5]).
JoystickAxis5 5 Flycam hardware axis mapping for internal axis 5 ([0, 5]).
JoystickAxis6 -1 Flycam hardware axis mapping for internal axis 6 ([0, 5]).
JoystickBuildEnabled 0 Enables the Joystick to move edited objects.
JoystickEnabled 0 Enables Joystick Input.
JoystickFlycamEnabled 1 Enables the Joystick to control the flycam.
JoystickInitialized Whether or not a joystick has been detected and initialized.
JoystickMouselookYaw 1 Pass joystick yaw to scripts in mouse look.
JoystickRunThreshold 0.25 Input threshold to initiate running
Jpeg2000AdvancedCompression 0 Use advanced Jpeg2000 compression options (precincts, blocks, ordering, markers)
Jpeg2000BlocksSize 64 Size of encoding blocks. Assumed square and same for all levels. Must be power of 2. Max 64, Min 4.
Jpeg2000PrecinctsSize 256 Size of image precincts. Assumed square and same for all levels. Must be power of 2.

K

Setting Default Description
KeepAspectForDiskSnapshot 1 Always keep width to height ratio in local snapshots the same, regardless of image size
KeepAspectForEmailSnapshot 1 Always keep width to height ratio in postcard snapshots the same, regardless of image size
KeepAspectForInventorySnapshot 1 Always keep width to height ratio in inventory snapshots the same, regardless of image size
KeepAspectForProfileSnapshot 1 Always keep width to height ratio in profile snapshots the same, regardless of image size
KeepAspectForSnapshot 1 Always keep width to height ratio in snapshots the same, regardless of image size

L

Setting Default Description
LCDDestination 0 Which LCD to use
LSLFindCaseInsensitivity 0 Use case insensitivity when searching for text
LSLFindDirection 0 Direction text will be searched for a match (0: down ; 1: up)
LSLHelpURL http://wiki.secondlife.com/wiki/[LSL_STRING]URL that points to LSL help files, with [LSL_STRING] corresponding to the referenced LSL function or keyword
LagMeterShrunk 0 Last large/small state for lag meter
LandBrushForce 1.0 Multiplier for land modification brush force.
LandBrushSize 2.0 Size of affected region when using terraform tool
LandmarksSortedByDate 1 Reflects landmarks panel sorting order.
Language default Specifies language (for UI)
LanguageIsPublic 1 Let other residents see our language information
LastAppearanceTab 0 Last selected tab in appearance floater
LastConnectedGrid Last grid with successful connection
LastFeatureVersion 0 [DO NOT MODIFY] Feature Table Version number for tracking rendering system changes
LastFindPanel find_all_panel Controls which find operation appears by default when clicking “Find” button
LastGPUString [DO NOT MODIFY] previous GPU id string for tracking hardware changes
LastJ2CVersion Last used J2C engine version
LastMediaSettingsTab 0 Last selected tab in media settings window
LastName Login last name
LastPrefTab 0 Last selected tab in preferences window
LastRunVersion 0.0.0 Version number of last instance of the viewer that you ran
LastSelectedGrass The last selected grass option from the build tools
LastSelectedTree The last selected tree option from the build tools
LastSnapshotToDiskHeight 768 The height of the last disk snapshot, in px
LastSnapshotToDiskResolution 4 At what resolution should snapshots be taken to disk. 0=Current Window, 1=320×240, 2=640×480, 3=800×600, 4=1024×768, 5=1280×1024, 6=1600×1200, 7=Custom
LastSnapshotToDiskWidth 1024 The width of the last disk snapshot, in px
LastSnapshotToEmailHeight 768 The height of the last email snapshot, in px
LastSnapshotToEmailResolution 2 At what resolution should snapshots be taken as postcards. 0=Current Window, 1=640×480, 2=800×600, 3=1024×768, 4=Custom
LastSnapshotToEmailWidth 1024 The width of the last email snapshot, in px
LastSnapshotToInventoryHeight 512 The height of the last texture snapshot, in px
LastSnapshotToInventoryResolution 2 At what resolution should snapshots be taken into inventory. 0=Current Window, 1=128×128, 2=256×256, 3=512×512, 4=Custom
LastSnapshotToInventoryWidth 512 The width of the last texture snapshot, in px
LastSnapshotToProfileHeight 768 The height of the last profile snapshot, in px
LastSnapshotToProfileResolution 1 At what resolution should snapshots be taken to the profile. 0=Current Window, 1=640×480, 2=800×600, 3=1024×768, 4=Custom
LastSnapshotToProfileWidth 1024 The width of the last profile snapshot, in px
LastSystemUIScaleFactor 1.0 Size of system UI during last run. On Windows 100% (96 DPI) system setting is 1.0 UI size
LeapCommand Zero or more command lines to run LLSD Event API Plugin programs.
LeapPlaybackEventsCommand Command line to use leap to launch playback of event recordings
LeaveMouselook 0 Exit Mouselook mode via S or Down Arrow keys while sitting
LeftClickShowMenu 0 Unused obsolete setting
LetterKeysAffectsMovementNotFocusChatBar 1 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
LimitDragDistance 1 Limit translation of object via translate tool
LimitRadarByRange 0 Restrict Radar to a range near you
LimitSelectDistance 1 Disallow selection of objects beyond max select distance
LinkReplaceBatchPauseTime 1.0 The time in seconds between two batches in a link replace operation
LinkReplaceBatchSize 25 The maximum size of a batch in a link replace operation
LipSyncAah 257998776531013446642343 Aah (jaw opening) babble loop
LipSyncAahPowerTransfer 0000123456789 Transfer curve for Voice Interface power to aah lip sync amplitude
LipSyncEnabled 1 0 disable lip-sync, 1 enable babble loop
LipSyncOoh 1247898743223344444443200000 Ooh (mouth width) babble loop
LipSyncOohAahRate 24.0 Rate to babble Ooh and Aah (/sec)
LipSyncOohPowerTransfer 0012345566778899 Transfer curve for Voice Interface power to ooh lip sync amplitude
LocalCacheVersion 0 Version number of cache
LocalFileSystemBrowsingEnabled 1 Enable/disable access to the local file system via the file picker
LockToolbars 0 If enabled, toolbars are locked and buttons can not be dragged around, added or removed.
LogInventoryDecline 1 Log in system chat whenever an inventory offer is declined
LogMessages 0 Log network traffic
LogMetrics Log viewer metrics
LogPerformance 0 Log performance analysis for a particular viewer run
LogTextureDownloadsToSimulator 0 Send a digest of texture info to the region
LogTextureDownloadsToViewerLog 0 Send texture download details to the viewer log
LogTextureNetworkTraffic 0 Log network traffic for textures
LogWearableAssetSave 0 Save copy of saved wearables to log dir
LoginAsGod 0 Attempt to login with god powers (Linden accounts only)
LoginContentVersion 2 Version of login page web based content to display
LoginLocation last Default Login location ('last', 'home') preference
LoginPage Login authentication page.
LoginSRVPump LLAres Name of the message pump that handles SRV request (deprecated)
LoginSRVTimeout 40.0 Duration in seconds of the login SRV request timeout
LosslessJ2CUpload 1 Use lossless compression for small image uploads

fs_debug_phoenix_mode

$
0
0

Debug Settings - Phoenix Mode

This page shows which settings are affected by enabling the Phoenix viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Default Description
ChatOnlineNotification 0 Provide notifications for when friend log on and off of SL
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableIMChatPopups 0 Enable Incoming IM Chat Popups
FSAnimatedScriptDialogs 1 Animates script dialogs V1 style. Only effective when dialogs in top right are activated.
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSConsoleClassicDrawMode 1 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSDisableIMChiclets 1 If enabled, Firestorm will not show any group / IM chat chiclets (notifications envelope and sum of IMs will remain on the screen).
FSEnableVolumeControls 0 If true, Firestorm will show volume controls (sounds, media, stream) in upper right corner of the screen. Useful, if skin already has its own controls.
FSFolderViewItemHeight 18 Controls the height of folder items, for instance in inventory
FSLegacyMinimize 1 Minimize floaters to bottom left instead of top left.
FSLegacyNotificationWell 1 Enables the legacy notifications and system messages well
FSLogGroupImToChatConsole 1 Defines if group IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogImToChatConsole 1 Defines if IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSNameTagShowLegacyUsernames 1 Show legacy name (Firstname Lastname) in user tags instead of username
FSPaymentInfoInChat 1 If true, L$ balance changes will be shown in nearby chat instead of toasts.
FSScriptDialogNoTransparency 1 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSShowGroupNameLength -1 Max length of group name to be printed in chat (-1 for full group name, 0 for disabled).
FSShowInboxFolder 1 If enabled, the Received Items folder aka Inbox is shown in the inventory as folder.
FSShowMouselookInstructions 0 If true, instructions about leaving Mouseview are displayed.
FSSkinCurrentReadableName Vintage The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Classic The readable name of the selected theme for the current skin.
FSStatbarLegacyMeanPerSec 1 Use legacy period mean per second display for stat bars.
FSTrimLegacyNames 0 Trim “Resident” from Legacy Names
FSUseLegacyCursors 1 Use 1.x style cursors instead
FSUseLegacyInventoryAcceptMessages 1 If enabled, the viewer will send accept/decline response for inventory offers after the according button has been pressed and not if the item has been received at the receiver's inventory already.
FSUseLegacyLoginPanel 1 If enabled, the legacy layout version of the login panel will be used
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseStandaloneBlocklistFloater 1 If enabled, Firestorm will use a standalone floater for the blocklist.
FSUseStandalonePlaceDetailsFloater 1 If enabled, Firestorm will use a standalone floater for each landmark details, teleport history details and parcel details view.
FSUseStandaloneTeleportHistoryFloater 1 If enabled, Firestorm will use a standalone floater for the teleport history view.
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
LetterKeysAffectsMovementNotFocusChatBar 0 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
MediaFilterSinglePrompt 1 Use a single legacy style dialog for media filter prompt, instead of two seperate allow/deny and whitelist/blacklist prompts.
OnlineOfflinetoNearbyChat 1 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OpenSidePanelsInFloaters Open Panels in Floaters
PieMenuOuterRingShade 0 If enabled, a shade around the outside of the pie menu will be drawn, adding a further visualization of sub menus.
PieMenuPopupFontEffect 0 If enabled, the labels in the pie menu slices are affected by the popup effect (they move into position).
PlainTextChatHistory 1 Enable/Disable plain text chat history style
PlayModeUISndScriptFloaterOpen 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndScriptFloaterOpen.
ResetViewTurnsAvatar 1 This option keeps the camera direction and turns the avatar when Reset View is selected (hit ESC key).
ShowChatMiniIcons 0 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 1 Show group notifications to the top right corner of the screen.
ShowNetStats 1 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
ShowRadarMinimap 0 Toggle visibility of the embedded minimap in the radar panel
SkinCurrent vintage The currently selected skin.
SkinCurrentTheme classic The selected theme for the current skin.

fs_debug_fs_mode

$
0
0

Debug Settings - Firestorm Mode

This page shows which settings are affected by enabling the Firestorm viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Default Description
ChatOnlineNotification 0 Provide notifications for when friend log on and off of SL
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableIMChatPopups 1 Enable Incoming IM Chat Popups
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSConsoleClassicDrawMode 1 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSFolderViewItemHeight 18 Controls the height of folder items, for instance in inventory
FSScriptDialogNoTransparency 1 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSShowChatType 0 Shows/Hides the chat type selector (Whisper, Say, Shout)
FSShowMouselookInstructions 0 If true, instructions about leaving Mouseview are displayed.
FSSkinCurrentReadableName Firestorm The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Grey The readable name of the selected theme for the current skin.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
LetterKeysAffectsMovementNotFocusChatBar 0 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
OnlineOfflinetoNearbyChat 1 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OpenSidePanelsInFloaters Open Panels in Floaters
PlainTextChatHistory 1 Enable/Disable plain text chat history style
ShowChatMiniIcons 0 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 1 Show group notifications to the top right corner of the screen.
ShowNavbarNavigationPanel 1 Show/Hide Navigation Bar Navigation Panel
ShowNetStats 1 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
ShowRadarMinimap 0 Toggle visibility of the embedded minimap in the radar panel
SkinCurrent firestorm The currently selected skin.
SkinCurrentTheme grey The selected theme for the current skin.

fs_debug_v3_mode

$
0
0

Debug Settings - SL V3 Mode

This page shows which settings are affected by enabling the SL V3 viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Default Description
EnableGrab 1 Use Ctrl+mouse to grab and manipulate objects
EnableGroupChatPopups 1 Enable Incoming Group Chat Popups
EnableIMChatPopups 1 Enable Incoming IM Chat Popups
FSAdvancedTooltips 0 Show extended information in hovertips about objects (classic Phoenix style)
FSChatWindow 0 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSColorClienttags 0 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSFontChatLineSpacingPixels 0 Line spacing pixels for chat text (requires restart)
FSScriptDialogNoTransparency 0 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSShowChatType 0 Shows/Hides the chat type selector (Whisper, Say, Shout)
FSShowMouselookInstructions 1 If true, instructions about leaving Mouseview are displayed.
FSSkinCurrentReadableName Starlight The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Original Orange The readable name of the selected theme for the current skin.
FSUseLegacyObjectProperties 0 If enabled, the legacy object profile floater will be used when opening object properties.
FSUseNearbyChatConsole 0 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseV2Friends 1 Makes Comm→Friends and Comm→Groups open the v2 based windows.
FSUseWebProfiles 1 Shows web profiles instead of the v1-style profile floater
LetterKeysAffectsMovementNotFocusChatBar 0 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
OpenSidePanelsInFloaters Open Panels in Floaters
PlainTextChatHistory 0 Enable/Disable plain text chat history style
ScriptDialogsPosition 1 Holds the position where script llDialog floaters will show up. 1 = docked to chiclet, 2 = top left, 3 = top right, 4 = bottom left, 5 = bottom right
ShowChatMiniIcons 1 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 0 Show group notifications to the top right corner of the screen.
ShowHomeButton 1 Shows/Hides home sidebar button in the bottom tray.
ShowMenuBarLocation 0 Show/Hide location info in the menu bar
ShowNavbarNavigationPanel 1 Show/Hide Navigation Bar Navigation Panel
ShowRadarMinimap 1 Toggle visibility of the embedded minimap in the radar panel
SkinCurrent starlight The currently selected skin.
SkinCurrentTheme original_orange The selected theme for the current skin.
UsePieMenu 0 Use the classic V1.x circular menu instead of the rectangular context menus when right clicking on land, avatars, objects or attachments.

fs_debug_hybrid_mode

$
0
0

Debug Settings - Hybrid Mode

This page shows which settings are affected by enabling the Hybrid viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Value Description
AdvanceSnapshot 1 Display advanced parameter settings in snapshot interface
ChatOnlineNotification 0 Provide notifications for when friend log on and off of SL
DisableCameraConstraints 1 Disable the normal bounds put on the camera by avatar position
EmotesUseItalic 1 Chat emotes are emphasized by using italic font style.
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableIMChatPopups 0 Enable Incoming IM Chat Popups
FSAdvancedTooltips 0 Show extended information in hovertips about objects (classic Phoenix style)
FSAnnounceIncomingIM 1 Opens the IM floater and announces an incoming IM as soon as somebody is starting to write an IM to you.
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSDisableMinZoomDist 1 Disable the constraint on the closest distance the camera is allowed to get to an object.
FSDisableTeleportScreens 1 Disable teleport screens
FSFolderViewItemHeight 18 Controls the height of folder items, for instance in inventory
FSGroupNotifyNoTransparency 1 If true, group notices will be shown opaque and ignore the floater opacity settings.
FSIgnoreSimulatorCameraConstraints 1 Ignores the 'push' the simulator applies to your camera to keep it out of objects.(Requires restart to work correctly)
FSNameTagShowLegacyUsernames 1 Show legacy name (Firstname Lastname) in user tags instead of username
FSScriptDialogNoTransparency 1 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSShowMouselookInstructions 0 If true, instructions about leaving Mouseview are displayed.
FSSkinCurrentReadableName Metaharper Modern The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName CoolOcean The readable name of the selected theme for the current skin.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
ForceShowGrid 1 Always show grid dropdown on login screen
LetterKeysAffectsMovementNotFocusChatBar 1 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
OnlineOfflinetoNearbyChat 1 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OpenSidePanelsInFloaters Open Panels in Floaters
OverridePieColors 1 Override the pie menu color defined by the currently selected skin
PlainTextChatHistory 1 Enable/Disable plain text chat history style
PlayModeUISndSnapshot 1 Take snapshots to disk without playing animation or sound
ShowAdvancedGraphicsSettings 1 Show advanced graphics settings
ShowChatMiniIcons 1 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 1 Show group notifications to the top right corner of the screen.
ShowNetStats 1 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
ShowRadarMinimap 1 Toggle visibility of the embedded minimap in the radar panel
SkinCurrent metaharper The currently selected skin.
SkinCurrentTheme cool_ocean The selected theme for the current skin.
TurnAroundWhenWalkingBackwards 0 Turns your avatar around to face the camera when you are walking backwards.
UseTypingBubbles 1 Show typing indicator in avatar nametags

fs_debug_latency_mode

$
0
0

Debug Settings - Latency Mode

This page shows which settings are affected by enabling the Latency viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Value Description
AutohideChatBar 1 Hide the chat bar from the bottom button bar and only show it as an overlay when needed.
ChatConsoleFontSize 1 Size of chat text in chat console (0 to 3, small to huge)
ChatOnlineNotification 1 Provide notifications for when friend log on and off of SL
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableIMChatPopups 0 Enable Incoming IM Chat Popups
FSBetterGroupNoticesToIMLog 1 Improved logging of group notices to group IM log.
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSColorClienttags 2 Color Client tags by: 0=Off, 1=Single color per Viewer, 2=User defined color (one color per UUID), 3=New Tagsystem Color
FSColorUsername 1 Color username distinctly from the rest of the tag
FSConsoleClassicDrawMode 1 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSDisableIMChiclets 1 If enabled, Firestorm will not show any group / IM chat chiclets (notifications envelope and sum of IMs will remain on the screen).
FSEmphasizeShoutWhisper 0 Enables bolding shouted chat and italicizing whispered chat
FSEnableVolumeControls 0 If true, Firestorm will show volume controls (sounds, media, stream) in upper right corner of the screen. Useful, if skin already has its own controls.
FSFadeGroupNotices 0 Fade group notices. (V3 default: true)
FSFlashOnMessage 1 Flash/Bounce the app icon when a new message is recieved and Firestorm is not in focus
FSFolderViewItemHeight 18 Controls the height of folder items, for instance in inventory
FSGroupNotifyNoTransparency 1 If true, group notices will be shown opaque and ignore the floater opacity settings.
FSLegacyMinimize 1 Minimize floaters to bottom left instead of top left.
FSLegacyRadarFriendColoring 1 Use old style for friends on the radar. Uses same color as minimap.
FSLegacyRadarLindenColoring 1 Color Lindens on the radar the same as the minimap.
FSLogGroupImToChatConsole 1 Defines if group IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSLogImToChatConsole 1 Defines if IM notifications should be sent to the nearby chat console (v1-style) or toasts (v2-style).
FSPaymentInfoInChat 1 If true, L$ balance changes will be shown in nearby chat instead of toasts.
FSScriptDialogNoTransparency 1 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSShowGroupNameLength -1 Max length of group name to be printed in chat (-1 for full group name, 0 for disabled).
FSShowInboxFolder 1 If enabled, the Received Items folder aka Inbox is shown in the inventory as folder.
FSShowMouselookInstructions 0 If true, instructions about leaving Mouseview are displayed.
FSSkinCurrentReadableName Latency The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName Extra Plain The readable name of the selected theme for the current skin.
FSSortFSFoldersToTop 0 Sorts the #FS and #RLV folders to the top like system folders.
FSTagShowDistance 0 If enabled, show distance to other avatars in their nametag.
FSTagShowDistanceColors 0 If enabled, color other avatars' nametags based on their distance
FSTrimLegacyNames 0 Trim “Resident” from Legacy Names
FSUseLegacyInventoryAcceptMessages 1 If enabled, the viewer will send accept/decline response for inventory offers after the according button has been pressed and not if the item has been received at the receiver's inventory already.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseStandaloneBlocklistFloater 1 If enabled, Firestorm will use a standalone floater for the blocklist.
FSUseStandalonePlaceDetailsFloater 1 If enabled, Firestorm will use a standalone floater for each landmark details, teleport history details and parcel details view.
FSUseStandaloneTeleportHistoryFloater 1 If enabled, Firestorm will use a standalone floater for the teleport history view.
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
LetterKeysAffectsMovementNotFocusChatBar 1 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
MediaFilterSinglePrompt 1 Use a single legacy style dialog for media filter prompt, instead of two seperate allow/deny and whitelist/blacklist prompts.
MiniMapRotate 0 Rotate miniature world map to avatar direction
NameTagShowFriends 1 Highlight the name tags of your friends
NameTagShowUsernames 1 Show usernames in avatar name tags
NotificationCanEmbedInIM 2 Controls notification panel embedding in IMs (0 = default, 1 = focused, 2 = never)
OnlineOfflinetoNearbyChat 1 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OnlineOfflinetoNearbyChatHistory 1 Show online/offline notifications only in chat history
OpenSidePanelsInFloaters Open Panels in Floaters
PieMenuOuterRingShade 0 If enabled, a shade around the outside of the pie menu will be drawn, adding a further visualization of sub menus.
PieMenuPopupFontEffect 0 If enabled, the labels in the pie menu slices are affected by the popup effect (they move into position).
PlainTextChatHistory 1 Enable/Disable plain text chat history style
PlayModeUISndScriptFloaterOpen 0 Holds state for Prefs > Sound/Media > UI Sounds - UISndScriptFloaterOpen.
RadarNameFormat 2 0=DisplayName,1=Username,2=Displayname/Username,3=Username/Displayname
RenderHiddenSelections 1 Show selection lines on objects that are behind other objects
ResetViewTurnsAvatar 1 This option keeps the camera direction and turns the avatar when Reset View is selected (hit ESC key).
ShowChatMiniIcons 0 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 1 Show group notifications to the top right corner of the screen.
ShowNavbarFavoritesPanel Show/hide navigation bar favorites panel
ShowNetStats 1 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
ShowRadarMinimap 0 Toggle visibility of the embedded minimap in the radar panel
ShowScriptDialogsTopRight 1 Show script llDialog floaters always in the top right corner of the screen.
ShowSearchTopBar Toggles whether the search field is displayed at the top of the viewer
SkinCurrent latency The currently selected skin.
SkinCurrentTheme The selected theme for the current skin.

fs_debug_text_mode

$
0
0

Debug Settings - Text Mode

This page shows which settings are affected by enabling the Text viewer mode at log in.

Please do not alter debug settings unless you know what you are doing. If the viewer “breaks”, you own both parts.

Some settings may have side effects, and if you forget what you changed, the only way to revert to the default behavior might be to manually clear all settings.
Information current for Firestorm 5.0.11
Setting Value Description
AnimateTextures 0 Enable texture animation (debug)
AvatarBacklight 0 Add rim lighting to avatar rendering to approximate shininess of skin
AvatarPhysics 0 Enable avatar physics.
BackgroundYieldTime 200 Amount of time to yield every frame to other applications when SL is not the foreground window (milliseconds)
ChatOnlineNotification 0 Provide notifications for when friend log on and off of SL
DisableAllRenderTypes 1 Disables all rendering types.
EffectScriptChatParticles 0 1 = normal behavior, 0 = disable display of swirling lights when scripts communicate
EnableGroupChatPopups 0 Enable Incoming Group Chat Popups
EnableIMChatPopups 1 Enable Incoming IM Chat Popups
EnableMouselook 0 Allow first person perspective and mouse control of camera
FSChatWindow 1 Show chat in multiple windows(by default) or in one multi-tabbed window(requires restart)
FSConsoleClassicDrawMode 1 Enables classic console draw mode (single background block over all lines with width of the longest line)
FSFolderViewItemHeight 18 Controls the height of folder items, for instance in inventory
FSIMChatFlashOnFriendStatusChange 1 Flash IM tab when friend goes online or offline.
FSLimitFramerate 1 Enable framerate limitation defined by FramePerSecondLimit
FSScriptDialogNoTransparency 1 If true, script dialogs will be shown opaque and ignore the floater opacity settings.
FSSkinCurrentReadableName Firestorm The readable name of the currently selected skin.
FSSkinCurrentThemeReadableName High Contrast The readable name of the selected theme for the current skin.
FSUseNearbyChatConsole 1 Display popup chat embedded into the read-only world console (v1-style) instead of overlayed floaters (v2-style)
FSUseWebProfiles 0 Shows web profiles instead of the v1-style profile floater
FramePerSecondLimit 45 Yield some time to the local host if we reach a threshold framerate.
JoystickAvatarEnabled 0 Enables the Joystick to control Avatar movement.
LetterKeysAffectsMovementNotFocusChatBar 0 When printable characters keys (possibly with Shift held) are pressed, the chat bar does not take focus and movement is affected instead (WASD etc.)
LipSyncEnabled 0 0 disable lip-sync, 1 enable babble loop
MiniMapChatRing 1 Display chat distance ring on mini map
OnlineOfflinetoNearbyChat 1 Send online/offline notifications to Nearby Chat panel (v1-style behavior)
OpenSidePanelsInFloaters Open Panels in Floaters
PlainTextChatHistory 1 Enable/Disable plain text chat history style
PluginUseReadThread 1 Use a separate thread to read incoming messages from plugins
PrivateLocalLookAtTarget 1 If true, your avatar's lookat target will not affect your local display. Head/Eye movement that normally would follow a lookat target will not be shown to you.
PrivateLookAtTarget 1 If true, viewer shows simulated look-at behavior to others.
PrivatePointAtTarget 1 If true, viewer won't show the editing arm motion.
RenderAttachedLights 0 Render lighted prims that are attached to avatars
RenderAttachedParticles 0 Render particle systems that are attached to avatars
RenderAvatar 0 Render Avatars
RenderAvatarCloth 0 Controls if avatars use wavy cloth
RenderAvatarMaxVisible 0 Maximum number of avatars to display at any one time
RenderAvatarPhysicsLODFactor 0.0 Controls level of detail of avatar physics (such as breast physics).
RenderFarClip 32.0 Distance of far clip plane from camera (meters)
RenderGround 0 Determines whether we can render the ground pool or not
RenderLocalLights 0 Whether or not to render local lights.
RenderMaxPartCount 0 Maximum number of particles to display on screen
RenderNoAlpha 1 Disable rendering of alpha objects (render all alpha objects as alpha masks).
RenderObjectBump 0 Show bumpmapping on primitives
RenderTransparentWater 0 Render water as transparent. Setting to false renders water as opaque with a simple texture applied.
RenderVolumeLODFactor 0.0 Controls level of detail of primitives (multiplier for current screen area when calculated level of detail)
RenderVolumeSAProtection 1 Enables automatic derendering of prims with high surface area (can protect against some video card crashers)
RenderWater 0 Display water
ShowChatMiniIcons 0 Toggles the display of mini icons in chat history
ShowGroupNoticesTopRight 1 Show group notifications to the top right corner of the screen.
ShowNavbarNavigationPanel 1 Show/Hide Navigation Bar Navigation Panel
ShowNetStats 1 Show the Status Indicators for the Viewer and Network Usage in the Status Overlay.
SkinCurrent firestorm The currently selected skin.
SkinCurrentTheme highcontrast The selected theme for the current skin.
TextureDisable 1 If TRUE, do not load textures for in-world content
UsePieMenu 0 Use the classic V1.x circular menu instead of the rectangular context menus when right clicking on land, avatars, objects or attachments.
WLSkyDetail 16 Controls vertex detail on the WindLight sky. Lower numbers will give better performance and uglier skies.
WindLightUseAtmosShaders 0 Whether to enable or disable WindLight atmospheric shaders.

fs_missing_inventory_fr - [Si des Articles Posés ont Disparu]

$
0
0

Inventaire Manquant

Il peut y avoir plusieurs causes à un inventaire manquant. Certains problèmes peuvent être résolus au niveau du viewer ou de l'ordinateur. D'autres se situent au niveau des serveurs LL et ne sont pas toujours possibles à résoudre.

S'il manque des articles dans votre inventaire

NB: Il est fortement recommandé de se rendre sur une région low lag pour essayer les suggestions ci-dessous :
  • Tout d'abord assurez-vous que votre inventaire a entièrement chargé. Cliquez l'onglet Récent de votre inventaire et attendez que le compteur d'inventaire cesse de “récupérer” des articles. Quand il a terminé il ne devrait plus afficher qu'un nombre d'articles sans le mot “récupérés”.

Si le nombre paraît correct mais que tout ne s'affiche pas :

  • Commencez par réinitialiser les filtres d'inventaire. Sur la plupart des skins cela veut dire cliquer l'icône “engrenage” en bas à gauche de l'inventaire puis sélectionner “Reset Filters”. Sur le skin Vintage ou en mode Phoenix, ou sur le skin Ansastorm, cliquer “Inventory” en haut à gauche de la fenêtre d'inventaire, puis sélectionner “Reset Filters”.
  • Ensuite, si vous avez un autre viewer installé sur votre ordinateur, connectez-vous avec et vérifiez si tout s'affiche bien dans l'inventaire. Si oui, il y a un problème de chargement ou de cache avec Firestorm, et vous pouvez suivre les suggestions qui suivent. Si les articles ne s'affichent dans aucun viewer, il est probable qu'ils manquent dans la base de données LL, ce qui signifie que le problème restera sans doute sans solution.

Si votre compte d'inventaire semble plus bas qu'il devrait ou s'il s'arrête de charger en plein milieu :

  • 1- Commencez par vous téléporter à la parcelle du support Firestorm sur Hippo Hollow ou sur une région d'eau comme Cyclops. Abaissez votre distance d'affichage (par exemple à 32 ou moins) pour réduire le travail du viewer au chargement de l'inventaire uniquement.
  • 2- tapez une lettre dans la barre de recherche de l'inventaire (n'importe quelle lettre, le but est de pousser la recherche trouver plus d'articles). Si le chargement s'arrête de nouveau, remplacer la lettre par une autre, et ainsi de suite, jusqu'à ce que l'inventaire cesse de récupérer des articles et que le comteur d'inventaire affiche un nombre fixe.
  • 3- essayez de vider votre cache manuellement, comme expliqué ici. Assurez-vous de le faire manuellement, et non pas avec le bouton Clear Cache des Préférences.
    • Si vous êtes à l'aise avec la manipulation des fichiers et sûr de vous : vous pouvez vider le cache d'inventaire uniquement (cela doit être fait manuellement dans Firestorm), plutôt que de vider votre cache entièrement; cela limitera le nombre de données que vous aurez à télécharger en plus des données d'inventaire lorsque vous vous reconnecterez :
      • Pour vider le cache d'inventaire manuellement, allez à Préférences → Network & Files → Directories; à côté de “Cache Location” cliquer le bouton “Open”. Une fenêtre s'ouvre affichant le contenu du répertoire du cache.
      • Gardez cette fenêtre ouverte et déconnectez-vous de SL.
      • Assurez-vous que le répertoire affiche bien les extensions de fichiers.
      • Trouvez le fichier dont le nom finit par .inv.gz et supprimez-le.
      • Reconnectez-vous avec Firestorm - de préférence sur une des régions conseillées plus haut. Sur l'écran d'accueil, pous pouvez entrer le nom de la région dans “Start at” → <Type region name> (tapez Cyclops ou Hippo Hollow).
  • 4- Si l'inventaire ne charge toujours pas entièrement, voir la page sur la bande passante et les tests de vitesse pour vous assurer que votre bande passante est correctement réglée dans le viewer. Bien que cela ne semble pas très logique, nous nous sommes aperçus que réduire la bande passante permet un meilleur chargement de l'inventaire.
  • 5- le HTTP Fetching est peut-être en train de surcharger votre box/modem; essayez ceci; si cela n'aide pas, retournez au réglage par défaut et continuez la lecture de cette page.
  • Attention : si vider le cache d'inventaire manuellement n'a pas réglé le problème la première fois, inutile de recommencer, ça ne marchera probablement pas mieux (mais plusieurs “deco/reco” sans vider le cache peuvent aider.
    Si votre inventaire ne charge toujours pas entièrement maintenant, alors il s'agit sûrement d'un problème réseau ou de connexion. Les solutions habituelles pour ce type de problème sont :
  • Si vous êtes en Wifi et que vous avez la possibilité de vous raccorder à votre box/modem à l'aide d'un câble ethernet faites-le.
  • Déconnectez-vous et réinitialisez votre box/modem : débranchez-la et attendez au moins une minute entière avant de la rebrancher. Attendez que tous les voyants se rallument et qu'elle soit prête, reconnectez-vous.
  • Si vous disposez d'un autre accès internet essayez d'y connecter votre ordinateur provisoirement.

Méthode avancée : copier l'inventaire à partir du viewer LL

Ne tentez pas cette solution si vous n'êtes pas à l'aise avec la manipulation des fichiers.

Your UUID

Commencez par chercher votre clé UUID d'avatar : lorsque vous êtes connecté elle apparait dans votre profil (voir ci-contre où elle est surlignée en vert).

Il s'agit d'une suite de lettres et de chiffres qui apparaît dans votre profil classique, quoique selon les skins elle peut apparaître à différents endroits. Si vous utlisez les profils web vous devrez passer au mode profil classique pour trouver cette clé. (Dans Firestorm : décochez Preferences → User Interface → Interface windows → Use web profiles by default). Vous pourrez revenir au profil web ensuite. Copiez la clé UUID et collez-la quelque part.

Maintenant vous avez besoin d'installer la dernière version du viewer LL. Connectez-vous avec et faites charger votre inventaire. Il est possible que ça fonctionne aussi avec d'autres viewers mais le viewer LL est celui avec elquel nous avons fait les tests. Une fois votre inventaire chargé, déconnectez-vous.

Trouvez le dossier de cache SecondLife et votre dossier de cache Firestorm sur votre disque dur. Notre page Vider le cache wous aidera à les trouver (remplacez simplement “Firestorm” par “SecondLife” dans le chemin. Surtout de videz aucun des deux caches ! Utilisez simplement les chemins pour trouver les dossiers.

Dans le dossier de cache SecondLife, trouvez les fichiers portant comme nom la clé UUID de votre avatar et finissant par “inv.gz”. Faites glisser ou copiez/collez ce fichier dans le dossier de cache Firestorm. Laissez-le remplacer le fichier d'origine.

Connectez-vous avec Firestorm et voyez si votre inventaire est là.

Evitez de vider le cache sous peine de devoir recommencer cette opération.

NB: Dans des circonstances normales, vous ne devez pas partager les caches entre différents viewers en raison des bizarreries que cela peut occasionner. Cette suggestion ne veut dire en aucun cas que paramétrer les caches de différents viewers dans le même dossier est une bonne chose, ça ne l'est pas du tout!

Si des Articles Posés ont Disparu

Malheureusement ce genre de problème arrive le plus souvent à cause d'un problème de serveur de ressources, et contrairement aux problèmes de cache ou de chargement, les problèmes de serveur de ressources sont souvent irréversibles. Vous noterez que quand Linden Lab poste les problèmes sur le statut de la grille SL, ils préviennent généralement de ne pas poser d'articles no-copy pendant ce laps de temps. Il y a pourtant quelques petites choses que vous pouvez essayer.

  • 1- Vérifiez si l'article se trouve dans votre folder “Lost & Found”. Il se peut qu'il ait été retourné sans que vous le sachiez. Vérifiez aussi votre folder Objets.
  • 2- Reconnectez-vous. Parfois cela suffit pour que l'objet manquant refasse son apparition dans l'inventaire.
  • 3- Allez aux coordonnées 0,0,0, sur la SIM ou, si vous n'y avez pas accès, demandez au propriétaire de cette parcelle de regarder. Parfois les articles posés atterrissent à cet endroit. Pour y aller vous pouvez utiliser la carte ou la mini-carte.
  • 4- Essayez de rechercher l'objet à l'aide du menu World → Area Search :
    • Cliquez sur l'onglet “Find” et tapez une partie du nom de l'objet dans le champ “Name”. Cliquez “Search”
    • Cela devrait vous ramener à l'onglet “List”. Si vous voyez le nom de l'objet, double-cliquez-le dans la liste et suivez la balise rouge qui mène à l'objet.
    • Vous pouvez aussi cliquer gauche sur le nom de l'objet pour le sélectionner puis faites un clic droit dessus → Return. Il retournera à votre inventaire.
    • Bouger votre avatar ou votre caméra aide l'Area Search à détecter des articles qui n'apparaissent pas au départ; n'hésitez pas à voler un peu dans les environs pour qu'elle soit efficace.
  • 5- si la région vous appartient, vous pouvez demander à Linden Lab de réinitialiser la région à un point précédant la disparition de l'objet.
  • 6- Si vous avez un autre viewer installé, connectez-vous avec pour voir si l'objet manquant apparaît dans l'inventaire de l'autre viewer. Si oui, alors essayez les suggestions ci_dessus “S'il manque des articles dans votre inventaire”. Si l'objet de réapparaît pas dans l'inventaire de l'autre viewer, alors Second Life a très probablement perdu l'objet.

animation_overrider

$
0
0

Firestorm Client AO

Video tutorials are available here.

Introduction

The Firestorm viewer has a built-in AO (Animation Overrider). This makes the use of scripted AOs unnecessary, which in turn reduces the amount of scripts you wear, and so server-side lag.

The AO is accessed via a button on the bottom button bar.

The AO is activated by clicking the button labeled AO; it will show pressed down, as in the image above. To disable it, press the button again, and it will appear released.

To the right of this is an up arrow. Clicking that pops up a small window, the mini AO view, which gives quick and easy access to a few basic functions, such as moving from one stand animation to another, toggling sit overrides and loading a new set of animations. Clicking this same button again will close the window.

This small window has a screwdriver-wrench icon; clicking that opens the AO window to its largest size, allowing full control of the AO.

Terms Used

A brief glossary of terms as they are used here.

  • AO: Animation Override or Animation Overrider. Generally, a scripted attachment worn as an HUD, containing animations and notecards which, along with the scripts, animate the avatars while it is in certain states, such as standing, walking, flying, etc. Absent an AO, the avatar will use basic default Linden-defined animations. The Firestorm client AO replaces the usual scripted AO by duplicating its functions, without the script overhead.
  • Animation Set: The collection of animations which, taken together, make up any given AO.
  • Animation Group: One or more animations which serve to replace a single animation state. Examples of animation groups include stands, sits, walks, etc. All of the animation groups, together, make up an animation set.

Using the AO

Basic functions of the AO can be accomplished via the mini AO view shown below.

  • Currently loaded animation set: Referring to the image above, the currently loaded set is named “! Default”. By clicking the small down arrow, you can easily select another set (if others are available, of course).
  • Screwdriver-Wrench icon expands the mini window to full size for greater control; see below for more.
  • Left/Right Arrows switch to the previous and next animation in the current group, respectively.
  • “Sit” checkbox indicates whether the AO should override sits animations that are part of scripted furniture. If this is enabled, the AO will try to force the use of whatever sit animation you have in the animation set 1) ; if disabled, then the animation in the furniture will be used.

For greater control over the AO, click the Screwdriver-Wrench icon; this will open the AO window to maximum size. It looks like this.

  • The Current animation set is shown in the top drop-down. Clicking the down arrow beside it allows for the selection of an alternate animation set (if you have others available, of course). You can rename your AO set right here. Just click the name and change it to what you want it to be.
  • The check mark to the right of the animation set name will activate the animation set. click this if you have picked a new one.
  • Default: check this if you wish to make the current animation set the default when you start Firestorm.
  • Override sits: Does the same thing as the Sits checkbox described above.
  • Be Smart: If this is enabled, the AO will try to determine whether the furniture being sat on has an animation; if it determines that it does, it will disable the sit in the AO, so the one in the furniture will be used instead.
  • Disable Stands in Mouselook: If this is checked, the AO will disable stand animations when mouselook is entered. This is useful for combat situations, for example.
  • + Button: Click this button to manually define a new animation set.
  • Trash: To delete the current animation set, click this button.
  • Animation Group: With this drop down you can select an animation group, such as Standing, Walking, Running, etc. Having selected one, you can then change the order in which animations are played, by using ….
  • Up/Down Arrows: moves the currently selected animation up or down in the list, thus changing the order in which the animations are played in the animation group.
  • Trash: Clicking this will delete the currently selected animation from the animation group. This will NOT delete the animation itself; just the reference to it, from the group.
  • Cycle: Enabling this will cause a different animation to be played, from the selected group, at each “cycle time” interval (see below).
  • Randomize order: Enabling this causes the animations in the selected group to be played in random order.
  • Cycle time: Indicates how long an animation should play before the next one begins. Set this to zero to disable.
  • Reload: Forces the AO to reload the configuration of the current animation set.
  • Left/Right Arrows: skips to the previous/next animation in the current animation group. These are the same arrows seen in the mini AO view, described previously.
  • Down Arrow: The arrow in the bottom right corner collapses the full AO window into the mini view, which was described above.

Loading a Prepared AO Notecard

If you own a scripted AO, the type worn as an HUD attachment, you can transfer it to the client AO quite easily. You may follows these steps to do so. Multiple AOs can be loaded, and you can switch from one to another simply by selecting the set within the Firestorm AO.

NOTE: The notecard must be in standard ZHAO II format, or in Oracul format. Most AO creators support ZHAO II so you should not run into issues. However, it must be noted that some major vendors have extended the ZHAO II format, and thus their AO notecard will need to be edited before they can be used in the Firestorm AO. Similarly, older AOs which use the old ZHAO format will have to be converted.

NOTE: The notecard must be in the same fodler as the animations, or it will not load. Once imported, the Firestorm client AO creates a new special folder: #Firestorm → #AO. This folder is protected - meaning, it cannot be deleted, nor items removed from it 2) . Inside that, are several more folders, containing links to the original animations. So do not delete the original animations used or the AO will “break”.

Method 1

Follow these steps if you are in a location where you can build; if requires the ability to rez out.

  • Rez a cube on the ground.
  • If you are wearing the scripted AO, detach it.
  • Cam into the cube you made, then drag the AO onto it. HUDs are normally very small when rezzed in-world, and can be hard to see if you are not cammed in.
  • Right click AO you rezzed out and select Open. A window opens which will list the contents of the AO; once this has fully populated, click Ok.
    This will result in the creation of a folder in your inventory, containing everything in the AO: scripts, animations and notecards.
  • If the AO is copyable, you can now delete it; otherwise, take it back into your inventory. Then delete the cube.
  • Locate the folder that was created in the step above. This folder can be dragged to another folder where it is out of the way but still available, like the Animations folder, for example.
  • Inside the folder, locate the notecard which defines the AO. An example is shown below.
  • Open the Firestorm AO to maximum, then drag the AO notecard onto the Firestorm AO window.
  • The notecard is parsed and if all goes well, you have finished transferring the AO.
  • Select options to apply, like whether this will be the default animation set, whether to override sits, etc.

Method 2

You can follow these steps if you are unable to rez the AO out in-world, for whatever reason.

  • Location the Animations folder in your inventory - it is at the top. Right Click the folder name, and select New Folder.
  • Type in a name for the folder - for example, give it the name of the AO you are transferring.
  • Make sure the AOHUD is worn; right click it and select Edit.
  • Click on the Content tab.
  • Once the AO contents are all displayed, select all items: click on the top one, then use the scroller to scroll to the bottom, press and hold Shift, and click on the last item.
  • Drag all the items into the folder you created.
  • Close the edit window.
  • Inside the folder, locate the notecard which defines the AO. An example is shown below.
  • Open the Firestorm AO to maximum, then drag the AO notecard onto the Firestorm AO window.
  • The notecard is parsed and if all goes well, you have finished transferring the AO.
  • Select options to apply, like whether this will be the default animation set, whether to override sits, etc.

Example AO Notecard

As noted above, the Firestorm AO supports notecards in the standard ZHAO II format. Here is an example of what such a notecard looks like:

[ Standing ]vAStand01DANGER|VAStand05_DANGER_F|VAStand02_DANGER|VAStand06_DANGERe
[ Standing ]VAStand04_DANGER|VAStand06_iDANGER|VAStand07_DANGER3|VAStand08_DANGER30
[ Standing ]VAStand09_DANGER|vAStand11_DANGER|VAStand12_DANGER|VAStand13_DANGER|VAStand14_DANGER
[ Walking ]08WALKDANGER|DANGERMIXWALK1|DANGERMIXWALK2.3
[ Sitting ]sit01DANGER|sit02DANGER|sit03DANGER|sit04DANGER|sit00DANGER
[ Sitting On Ground ]sitgDANGER01|SitGDANGER2|sitgDANGER3
[ Crouching ]crounch02DANGER|VAmocCROUNCH3
[ Crouch Walking ]vAFLIPWALK2
[ Landing ]landing2DANGER|Landing_Jump03_AN
[ Standing Up ]vA_boxerlanding1
[ Falling ]fall_VA_fly3
[ Flying Down ]vA_DangerFlyDown
[ Flying Up ]vA_DANGERflyUp
[ Flying ]vA_DangerFly|VAmocFLIGHT2
[ Flying Slow ]vAmocFSLOW
[ Hovering ]vA_DANGERhover_v02
[ Jumping ]jump02DANGER|jump_Jump03_AN
[ Pre Jumping ] v3_VA_Prejump|preJump_Jump03_SL
[ Running ]vISTARUN
[ Turning Right ]vATURNR
[ Turning Left ]vATURNL
[ Floating ]fLOAT
[ Swimming Forward ]vA.DIVE
[ Swimming Up ]
[ Swimming Down ]
[ Typing ]typex

Notice how the animation state is in brackets, followed by each name of the animation separated with a pipe character “|”. Lines should not be longer than 255 characters, and in the example above, the animations in the Standing group have been broken up into several lines so they are shorter and easier to read.

NOTE: It is best to delete any/all lines containing comments, before loading into the client AO. Comment lines usually start with a # character.

Creating an AO Manually

There is no need to have a prepared AO with a notecard to create an AO in Firestorm; you can “roll your own” if you have animations to use.

You should have the AO window at maximum size, as shown above.

  • Click the + button near the top right corner to create a new animation set. You will be prompted to supply a name for it.
  • A new, blank animation set is created; make sure it is showing in the list of animation sets. You can now begin to fill. It starts with the Standing group selected.
  • In your inventory, select the animation(s) to be used as stands. Drag them from your inventory onto the AO window. (Note that it is faster to drag them all in at once rather than one by one.) The AO processes, then you can continue.
  • Once you have dropped all the stands in, you can switch to another animation group, like Walking. Again, select and drag the animations from your inventory onto the AO.
  • Repeat this for all groups for which you have animations.
  • Select options to apply, like whether this will be the default animation set, whether to override sits, etc.
  • Do not delete the original animations used or the AO will “break”.

Final Notes

Special Note Concerning Bento Animations

The Firestorm AO was designed before bento came onto the scene. Therefore, while it fully supports bento animations that affect the entire avatar, it doesn't necessarily support partial animations. This because it wasn't designed to handle multiple animations running at the same time.

Specifically, it seems to work very well when used with animation HUDs for bento heads and hands, but it may cause the avatar to lock up when used with HUDs for bento wings or tails. If you do find that you lock up, you will need to revert to using a scripted AO for all animations.

Other options related to the Firestorm AO.

  • Turn avatar around when walking backward: in Preferences→ Move & View → Firestorm. If enabled, when you press the down arrow to walk backward, your avatar will turn to face the camera. If disabled, then your avatar will walk backward.

The AO may also be controlled by scripts. This can be very handy for those who wear collars, for example. For more information on how to implement this, see this page.

1)
Note: Animation priority will always have precedence; if the animation in the furniture has higher priority than the one in your animation set, it will be used regardless of how you have this checkbox set. Animation priority is set at upload and cannot be changed afterward, not even by the creator - unless the creator uploads again, and sets a different priority.
2)
Therefore, avoid dragging items into it. Should you do so by mistake, please refer to this page to see how to fix this.

graphics_crashes_and_glitches - [Viewer Freezing]

$
0
0

Graphics Crashes and Glitches

If You Have Changed Any Debug Settings

Several creators recommend specific settings in order for you to be able to better see their products. Sadly, some of these recommendations will lead to many people crashing more. For example, go to the top menu, Advanced → Debug Settings (press Ctrl-Alt-D to enable Advanced, if it isn't):

  • RenderVolumeLODFactor should never be set over 4; a good value is between 2 and 3.
  • TextureLoadFullRes should never be enabled (in other words, it should be set to FALSE).

If you are advised to raise LOD above 4, please disregard that advice.

Similarly, there is a notecard going round which suggests settings to prevent graphics crashes. Sadly, those settings can often result in perfectly ordinary content refusing to render. So if you have changed debug settings per such a notecard, revert them.

For both the cases above, should you not remember what settings you changed, then proceed as follows:

  1. Back up your settings as explained here.
  2. Then wipe settings by following the instructions on this page.
  3. Log back in and see if this fixes your problem. If it does, you can try a restore and see if the issue returns.
  4. If the problem does return, wipe settings again and set them from scratch.

Rainbow Colors after Logout

Note: This is not the same as rainbow colors in-world.

If you see rainbow colors after logout and you have MSI True Color or f.lux installed on your system, do the following steps in order:

  1. Uninstall MSI True Color if installed.
  2. Install f.lux from https://justgetflux.com/ if not installed.
  3. Uninstall f.lux using the f.lux uninstaller, not the Windows uninstaller from Windows programs & features / add/remove programs.
  4. When running the uninstaller it will give you the option to reset to the windows default color profile; say Yes. (Running this uninstaller is the only way we have found to get rid of the MSI True Color profile.)

Refer to http://jira.phoenixviewer.com/browse/FIRE-12561. Also see the alternate workaround at the comment dated 13/Apr/17

Driver Not Responding

"Display driver stopped responding and has recovered" error in Windows

If you are getting the error in the title, then please refer to this page, this page or this page for those using Intel graphics for possible solutions.

With thanks to Skua Sarrasine for having found the first of these.

nVidia Driver Error Code 7 (or 3)

Symptom:“This is a bug thats only experienced with Firestorm running. Basically, at seemingly random, but very infrequent times, my dual screens will bug out, producing two displays of solid colour, randomly. Sometimes Windows will return saying it recovered from an error code 7 or 3.”

Some research turned up this for error code 7; it suggests setting physX to CPU. And that seems to have solved the issue.

Note also the (apparent) interaction with Chrome.

Viewer Not Responding

This is a known issue with Windows 7, 64-bit Operating System and affects other programs in addition to Second Life viewers. And it may happen on Windows 8.1 and Windows 10.

Please try the following - but NOT while logged in.

Windows 7

  • Go to the Start button
  • Type services.msc and then press enter.
  • Wait until the services window pops up.
  • You may have to expand the window a bit to see the services.
  • Look for DesktopWindowManager.
    • If it is running, right click it and select Stop. Wait until it stops.
    • You will probably see your desktop transparency window borders go flat. No worries.
  • Right click again and select Properties.
    • In the Startup type, select Manual. Click OK.

Windows 8.1/10

  • Right click the task bar and choose Task Manager. Alternatively, click the Start button and type Task Manager, then click on the result. Option 3, press Ctrl+Alt+Del and choose Task Manager from the list.
  • Click More Details link at the bottom if needed
  • Look at the several column headers, they will show a percentage of use. Memory or Disk may show a high percentage when Firestorm is not responding.
  • Click on one of the high-percentage column headers to sort the processes. The top one is likely the cause. If it's your antivirus, make sure you have whitelisted Firestorm and its cache (refer to this page for whitelisting guidance).

Viewer Freezing

If you find the Firestorm seems to freeze up every so often, then try these things, one at a time, testing between each one:

  • If you have chat saving enabled, and have a large number of chat transcript files, these could be causing the freezes. (Ref. FIRE-11322.) Try moving your chat transcripts elsewhere and see if the freezing stops.
    You can find your chat transcripts by going to PreferencesNetwork & Files -> Directories→ Conversation logs and transcripts location; click the Open button.
  • Set Preferences → Network & Files → Directories → Cache Size to maximum (9984MB or the maximum space available, whichever is less)
  • Ensure that your antivirus software is not scanning the viewer cache folder. See Whitelisting the Viewer in Anti Virus Software for more information.
  • If you have ever enabled “Full Res Textures”, disable this setting. Top menu bar, Develop→ Rendering → Full Res Textures (dangerous). Ensure that this is NOT checked. (Ctrl-Alt-Q to enable Develop, if it isn't.)
  • Advanced → Debug Settings → Set FastCacheFetchEnabled to FALSE - then relog.
    Ctrl-Alt-D to enable Advanced, if it isn't.
  • Preferences → Graphics → Hardware Settings → Viewer Texture Memory Buffer - raise this as high as it will go. Then relog. (64-bit version only)
  • Tip from a user: Windows users: If you're running CrashPlan, open the “Advanced” section of “Backup” settings and uncheck “Back up open files.

For additional suggestions, see the page on Severe Lag.

fsg_gateway_team

$
0
0

message_of_the_day - [Frequently Asked Questions]

$
0
0

Message of the Day Event Promotion

If you're looking for a missed MotD or more information on the current MotD rotation, click here.
If you're looking for how to get your own event in the Firestorm Message of the Day, keep reading!

Yes or No

The events we promote on the viewer Message of the Day are:

  • Not for profit, community events organized, hosted and/or sponsored by the community.
  • Charity events that benefit good causes.

The idea behind what we agree to promote and what we don't are simple. If it's going to benefit you financially either directly or indirectly (publicity stunt), we are not going to promote it. However, if it's purely for residents, hosted by residents with no profits or financial benefits either directly or indirectly to you or those involved, we will consider it. We have always been, and will always be, about the community.

We cannot however promote religious events or anything that may offend or exclude other races, creeds, cultures or persons. For example, we were asked to promote Memorial Day, and while we support troops all around the world 100%, it is an American event which other countries do not participate in. That makes it exclusionary and not something that qualifies for us to promote.

Note: we do not promote anything on the login page itself. Just the Message of the day.

(Information extracted from this blog post.)


We are no longer able to run Messages of the Day for 'hunt' type events as we're unable to verify all the locations contained in the hunt are suitable for a 'General' audience.

Partial day events, events that don't run all day and only run for a few hours1) will not receive a 24 hour Message of the day. It's a waste of valuable Message of the Day space. Approved partial day events Message of the Day will be run for two hours preceding the event and will end five minutes after your event has begun.2)The rule regarding this is still being discussed internally, it may go into effect or be removed.


Event Ratings

Your Event must be suitable for a 'General' audience.
This includes the region hosting your event, as well as your web site and all its contents including any advertisements that may appear on your web pages, (not only the page we will be linking to in the MotD).

Events on 'Mature' regions will be considered on a case by case basis only and we must be given early access to your event space for assessment. 3)

If your event space is closed to the public prior to your event opening, please add “Lassie Resident / f0536c4f-a552-4e97-a197-dd3051fd4344” to any necessary access list or group so your event space can be checked for anything that may need to be addressed before your requested message of the day run time.4)

Adult events and events on 'Adult' regions will not be promoted in the Firestorm Message of the Day.

Firestorm isn't only used by adults. We also have minors who log in to Second Life using our viewer so we must keep our MotD safe for their experience as well.

If in doubt, ask yourself these questions:
Would I want my grandmother attending my event?
Would I ask a kindergarten class to attend my event?
Would I ask my co-workers to attend my event?

See Maturity ratings - Second Life, for more information about Second Life maturity ratings.



Your Web Page

NOTE: The Message of the Day isn't designed to get people to your event, it's designed to get people to click your website link. It's up to your website to get people to want to visit your event.

Make sure the page on your website we will be linking to in the Message of the Day:

  • Has an easy to find and prominently displayed SLURL to your event.
  • Is clear and to the point about your event. 5)
  • Is easy to read. 6)
  • Has your contact information if you wish to provide it.
  • Doesn't send people clicking on other links to find what they want to get to your event.

You should save promoting your overall web site and more information about your event for your event. Once people are at your event you can tell them what ever you want, it's your event! The page we link to in the Message of the Day should be focused on getting people to want to go to your event.

IMPORTANT:
We can NOT put a SLURL as a link in the Message of the Day, it won't work, it has to be a link to a live web page.

When designing the web page we will link to for your event;
Keep in mind, when people see the Message of the Day they are trying to log into Second Life, not your web page, if your web page doesn't give them what they want, and quickly, most won't stick around to find it.

Please please please be sure and promote your event in other mediums as well! See Priorities below as to why this is important!

  • Message boards.
  • Classifieds.
  • Profile pics.
  • Etc.

Firestorm MotD Priorities List

The Firestorm Message of the Day priorities governing what Message of the Day will be run at any time are as follows:

  1. Real life global crisis. 7)
  2. Linden Lab requested MotD issuing critical information regarding Second Life. 8)
  3. Firestorm viewer related news.
  4. Firestorm viewer related events.9)
  5. Firestorm hosted events, not viewer related. 10)
  6. Important Second Life community events. 11)
  7. Hot support topics from the in-world support groups.
  8. Other messages of the day, these are on an automatic rotation12).
    1. Other organization hosted events. Your MotD request. Rotated with other events as needed.13)
    2. Other organization event application requests. Your MotD request. Rotated with other application requests as needed.
  9. Linden Lab standard MotD.

Request a Firestorm Message of the Day

This page and our MotD rules are subject to change without notice. You should check and read this page before submitting any Message of the Day request, even if we've run a Message of the Day for you previously.

If you have a community event that you would like promoted on our MOTD you can send a request to lassie@phoenixviewer.com for consideration. We do not charge for promoting your event nor will we accept any benefits, financial or otherwise. Though you can expect we may attend your event ;-) . Please provide your in-world name and details to the event. All events we promote are required to have a website we can link to.

Please provide the following in your request

The name of your event in the subject of your email. For example, MotD Request for Watching Grass Grow Event.

And in the body of your request:
If the following info is not in your request your Message of the Day will not run.

  • Tell us a little about your event.
  • The specific date range you would like your MotD to run.15)
  • The URL for your event website.
  • A secondary contact name16).
  • An in world name we can contact if needed.
  • Optional, what you would like your Message of the Day to say.17)

Once this is received your request will be evaluated for inclusion in the Firestorm MotD. If you don't hear back from us in a few days consider everything good to go. We will email you if we need more information or if something is missing.
If your MotD is declined you will be replied to as to why your event MotD wasn't accepted.


:-DGood luck with your event!:-D


Frequently Asked Questions

Do you have a question about the Firestorm Message of the Day? Here are the most commonly asked questions.

Why haven't I heard anything back about my MotD request?
Typically we don't respond back to requests if they're approved and we don't need more information. If you don't hear back you can expect it to go into the MotD rotation as soon as your event starts.

Why am I not seeing my MotD in the MotD?
Event messages of the day are no longer being allocated exclusive run times. We received many complaints about this and, in all honesty, seeing the same event MotD for days or weeks every time someone logs in or teleports will cause people to start to ignore the MotD after while. Event MotD's are now added to the MotD rotation in order to prevent an MotD from going stale.18)

My friend died and they were a well known figure in SL, will you run a MotD to help us raise funds for their funeral or family?
Unfortunately, no, while we are sorry for your loss this is a door we won't open as once we run one MotD of this type we'll be expected to run them for everyone.

If you have a question about the Firestorm Message of the Day that isn't covered above please feel free to email me at lassie@phoenixviewer.com and ask.




To Do and Work in Progress

Included for transparency.

To Do

  • Better define what is acceptable as a MotD and what isn't.
  • Discuss whether or not to include an upcoming, in progress and or past MotD reference list, (and what to include in it).
  • Finish the MotD application form.

Work in Progress

Coming soon!
Click here to apply for a Firestorm MotD (Doesn't work yet.)
But is still a good template for what you should send us in an email about your event!


1)
These types of events are discouraged as they're difficult to keep up with and schedule around and tend to fill up fast causing the Message of the Day to be displayed to people who won't be able to get into the region to attend the event.
2)
Message of the Day start and end time may be shortened as needed depending on how popular your event is.
3)
For example, while avatar nudity is allowed on a Mature rated region, it will get your event declined for a Firestorm Message of the Day.
4)
This is important and delaying this check may delay your MotD from running as requested.
5)
Including what your event is about, what people can do while they are there, what organization it supports, what you'll be doing with the proceeds, etc. Really sell it!
6)
For example, while it may look artistic, light grey text on a white background is not easy to read.
7)
If anyone is around to set it and can connect to the Firestorm server.
8)
Should be accompanied by a Linden Lab Blog post with additional details.
9)
These tend to be temporary, see Firestorm Classes footnote regarding MotD run times for these.
10)
Firestorm Gateway or other Firestorm events.
11)
For example, SL15B, approved SLEA events.
12)
See this page for information about the automatic MotD rotation.
13)
This includes partial day events.
14)
Temporary MotDs, usually starting two hours before the class starts and ending five minutes after the class has started. Not always included in the MotD, check the class schedule for class dates and times.
15)
If you don't provide specific dates here your MotD will most likely run only one day.
16)
The more contact names you can give or a group title to look for can greatly reduce the chances of your MotD being delayed should any last second questions or concerns arise.
17)
This may be shortened or rewritten for readability or to fit the limited space of the actual Message of the Day.
18)
Event MotDs may be granted exclusive login runs for a day or two at our discretion.

motd - [Event Messages of the Day.]

$
0
0

Firestorm Message of the Day.

If you're looking for how to get your own event in the Firestorm Message of the Day, click here.
If you're looking for a missed MotD or more information on the current MotD rotation, keep reading!

I missed it! Make it come back!

Oh hi! I didn't see you come in! You're probably here because you missed the message of the day. It went by to fast, it was to long, or you clicked a link in a goofy motd set up to get you here!

Anyway, if you missed the message of the day and would like to see it again;
At the top of your screen find the “Content” menu and click it.
In the menu that drops down, way down at the bottom select, “Message of the Day”.

There it is, in your local chat as a system message.

[11:28:02] [Firestorm Tip! Did you know you ca… Stop… Wait… Go back… I didn't get to read it all! Grrrr! Clickies! http://wiki.phoenixviewer.com/motd]


You can also scroll down this page and see ALL the current messages of the day in the “events, tips, help and gateway” message of the day rotation. (I keep this page bookmarked as a fast reference to important wiki pages.)


About the Message of the Day.

The Firestorm Message of the Day is currently running on a rotation of thirty eight preset tips, help, gateway and fun messages and/or a varying amount of event messages of the day. All of which are displayed at random when you log in depending on which “MotD Cartridge” is loaded. Go ahead, try it, relog, and unless the message of the day is promoting a special event1) you'll see something different.

The preset messages of the day are split between tips to make your Firestorm Viewer experience more efficient and enjoyable, help topics to help resolve common Firestorm Viewer issues, gateway to spread information about the Firestorm Gateway and fun just because.

I'll list the message of the day presets below so you can see what's in the rotation.


Event Messages of the Day.

These are the current messages of the day for events which are currently running and have been approved for a Firestorm message of the day;

MOTD: EVENT: 2018 Rock Your Rack Registration
Rock Your Rack 2018 supporting the National Breast Cancer Foundation is now taking designer registrations for their October event! Click for more! https://rockyourrack.wordpress.com/about/designers/

MOTD: EVENT: SL15B Event Applications
Second Life Turns 15! SL15B is now accepting applications for Exhibitors, DJs, Live performers, Auditorium and Volunteers! Click for more! http://www.slcommunitycelebration.info/apply-now/

MOTD: EVENT: Home and Garden Expo
It's the Home and Garden Expo benefitting the SL Relay For Life! Running May 19 - June 2 featuring hunts, gatchas, raffles and so much more! https://slhomegardenexpo.com/

MOTD: EVENT: Sci-Fi Expo 2018
The Sci-Fi Expo 2018 in support of The American Cancer Society&apos;s Relay for Life of Second Life runs from May 12 to 20 with shows, games, dances, DJs, singers, speakers, and surprises! https://slscifiexpo.wordpress.com/


Preset Messages of the Day.

These are displayed randomly and are broken down into three groups;

Tips: Which provide tips on how to get the most out of the Firestorm Viewer and are meant to improve your Second Life experience in some way.

Help: Which provide assistance on self resolving common Firestorm problems which are seen the most in the Firestorm Viewer help groups. These may have also been requested by the Firestorm Support Team at some point.

Gateway: Coming soon! These provide information on what's going on at the Firestorm Gateway, events, event spaces, classes and more.

I'll break them into the same groups below;


Firestorm Message of the Day, Firestorm Tips!

MOTD: TIP: Firestorm Classes 1Temporarily removed from the rotation.
Did you know Firestorm has classes on how to use the Firestorm viewer? We even have an open question and answer session after each class! http://wiki.phoenixviewer.com/firestorm_classes

MOTD: TIP: Firestorm Classes 2Temporarily removed from the rotation.
Did you know Firestorm offers classes on how to get the most out of the Firestorm viewer? Click to find out more about these classes and when they are! http://wiki.phoenixviewer.com/firestorm_classes

MOTD: TIP: Avatar Complexity
Firestorm tip! Why is my friend a colored shape? What is this complexity popup thingy? Click here to find out more about this lag reducing feature! http://wiki.phoenixviewer.com/fs_avatar_complexity_settings

MOTD: TIP: Complexity and the Slideshow
Firestorm tip! Are you at a busy club or event and Firestorm is running like a slide show? Try lowering your avatar complexity setting! http://wiki.phoenixviewer.com/fs_avatar_complexity_settings

MOTD: TIP: FS Bridge, Trolls Not Included
Firestorm Tip! The Firestorm BRIDGE is enhancing your SL experience and you may not even know it! Click here to find out how! http://wiki.phoenixviewer.com/fs_bridge

MOTD: TIP: Can Not Log in to SL
Firestorm Tip! Can't log into Second Life? STOP! DO NOT reinstall firestorm! Save yourself a lot of trouble and check here first for possible grid issues https://status.secondlifegrid.net/

MOTD: TIP: Contact Sets
Firestorm Tip! Contact Sets allow you to organize friends and non friends into manageable groups and categories! Learn more about them at http://wiki.phoenixviewer.com/fs_contact_sets

MOTD: TIP: IM Tab Sorting
Firestorm tip! Did you know you can click and drag your IM tabs in the conversations window to sort them to your liking. For more chat tricks see http://wiki.phoenixviewer.com/fs_chat

MOTD: TIP: Customizable Quickprefs
Firestorm tip! Did you know you can add your most commonly used settings to the Quick Prefs? http://wiki.phoenixviewer.com/fs_quick_preferences

MOTD: TIP: Missed the MotD
Firestorm Tip! Did you know you ca… Stop… Wait… Go back… I didn't get to read it all! Grrrr! Clickies! http://wiki.phoenixviewer.com/motd

MOTD: TIP: Outfits
Firestorm tip! Did you know the Outfits feature can help you quickly change what you&apos;re wearing without digging around in your inventory? http://wiki.phoenixviewer.com/my_outfits_tab

MOTD: TIP: Camera Controls
Firestorm tip! Something catching your eye? Hold down your ALT key and click it, then roll your mouse wheel! Interested in more? See http://wiki.phoenixviewer.com/fs_movement_and_camera#view

MOTD: TIP: Toolbars
Firestorm tip! Did you know you can add many of your commonly used Firestorm windows and floaters to the toolbars? http://wiki.phoenixviewer.com/toybox

MOTD: TIP: SL World Search
Firestorm tip! Looking for something in world but, can't find it? Try a search! http://wiki.phoenixviewer.com/floater_search

MOTD: TIP: Replace Links
Firestorm tip! Gah my inventory links are borkened! Have no fear, Replace Links are here! Fix those broken links, http://wiki.phoenixviewer.com/fs_linkreplace

MOTD: TIP: Skins
Firestorm tip! Wanna change the way firestorm looks? Then change it! http://wiki.phoenixviewer.com/preferences_skins_tab

MOTD: TIP: Settings Backup
Firestorm tip! Better safe than… NOOOOOOO! You should regularly back up your Firestorm settings. You never know when…. http://wiki.phoenixviewer.com/backup_settings

MOTD: TIP: Auto Replace
Firestrom tip! Firestone? Firestorm! If only Firestorm had an auto replace… Oh wait! It does! http://wiki.phoenixviewer.com/fs_auto_correct

MOTD: TIP: Preference Search
Firestorm tip! Is a Firestorm setting playing hide and seek and causing you to pull out your hair? Find it fast with preference search! http://wiki.phoenixviewer.com/fs_preferences

MOTD: TIP: Chat Shortcuts
Firestorm tip! Did you know when chatting you can hold down your ctrl key when you press enter to shout and the shift key to whisper? http://wiki.phoenixviewer.com/keyboard_shortcuts

MOTD: TIP: Keyword Alerts
Firestorm tip! Did you miss a message in chat? Did someone say your name while you were doing something else? Check out Keyword Alerts! http://wiki.phoenixviewer.com/preferences_chat_tab#keyword_alerts_tab

MOTD: TIP: FS Wiki
Firestorm Tip! Did you know Firestorm has its own wiki? Find out how features work, how to fix common viewer issues and more! Check it out, bookmark it, study it! http://wiki.phoenixviewer.com/

MOTD: TIP: Inventory Count
Firestorm Tip! Do you have more inventory than you thought you had? Inventory count now includes folders! Click for more http://wiki.phoenixviewer.com/my_inventory_tab

MOTD: TIP: Elements
Firestorm Tip! Elements? What is this, chemistry class? No silly, Elements is the count of Items/Folders in that folder! Click for more http://wiki.phoenixviewer.com/my_inventory_tab


Firestorm Message of the Day, Firestorm Help!

MOTD: HELP: Bakefail Badness
Firestorm Help! Are you feeling overly misty as an orange cloud? Are you missing your avatar? Are you thinking, clouds belong in the sky, not on me! Click here to fix the cloud http://wiki.phoenixviewer.com/fs_bake_fail

MOTD: HELP: Camera Messed Up
Firestorm Help! HALP! I know my head looks awesome but I'm stuck staring down at the top of it! Why am I staring at my butt? What is wrong with my camera?! click click clickie! http://wiki.phoenixviewer.com/fs_camera

MOTD: HELP: Teleporting Woes
Firestorm Help! What is up with these teleport fails? Disconnected?! OMG again! Click here to help prevent TP issues! http://wiki.phoenixviewer.com/fs_tp_fail

MOTD: HELP: Slow Rezzing
Firestorm Help! Did you know many common rezzing problems can be solved by you? Clickies! http://wiki.phoenixviewer.com/slow_rez

MOTD: HELP: Slow Rezzing Mesh
Firestorm Help! Did you know many common mesh rezzing problems can be solved by you? Clickies! http://wiki.phoenixviewer.com/mesh_issues

MOTD: HELP: Getting Help NAO
Firestorm Help! HALP! My Firestorm is broken and I need help NAO! Have no fear, click here! http://wiki.phoenixviewer.com/getting_help

MOTD: HELP: Getting Help Dont Panic
Firestorm Help! Sudden viewer problems? Not sure what to do? Don't panic! check out our wiki: http://wiki.phoenixviewer.com/getting_help

MOTD: HELP: Voice Issues
Firestorm Help! Have you lost your voice? Firestorm voice not working for you? Why not drink a tall glass of http://wiki.phoenixviewer.com/fs_voice

MOTD: HELP: Rick and Morty Lost Login Info
Oh geez, Rick, Firestorm lost my login info again! Well, Morty, try starting here to fix it, http://wiki.phoenixviewer.com/fs_stored_passwords#failed_to_decode_login_credentials

MOTD: HELP: Help Help Help You
Firestorm Help! Need help? Help us help you! Learn how to use the Firestorm support group to get the best help! http://www.firestormviewer.org/firestorm-help-groups-tips-rules-and-guidelines/

MOTD: HELP: Second Life Account Questions
Firestorm Help! Need help with your Second Life account matters? Go to Avatar Menu - Account, or login to your Dashboard at https://secondlife.com/my/account/

MOTD: HELP: Dont Clear Your Cache
Firestorm Help! Having viewer problems? Please don't clear your cache or reinstall the viewer as the first thing you try. Instead, see this page for how to get help http://wiki.phoenixviewer.com/getting_help

MOTD: HELP: Missing Inventory
Firestorm Help! Ummmm, I know I had more things in my inventory than this! Help! I'm missing inventory! what can I do? http://wiki.phoenixviewer.com/fs_missing_inventory


Firestorm Message of the Day, Firestorm Gateway! Coming soon!

MOTD: GATEWAY:
Keep an eye here for upcoming information regarding the Firestorm Gateway!


Firestorm Message of the Day, Firestorm Fun!

MOTD: FUN: Rhubarb Pie
Firestorm fun! Feeling hungry? try a Rhubarb Pie, Firestorm style! http://wiki.phoenixviewer.com/rhubarb_pie


Notes

This section is changing as we speak!

* if a main MOTD is set, that one is always shown
* if random MOTDs are set and no main MOTD is set, they will be randomly shown at login and during TP
* if an event MOTD is set, that is always shown at login and then, during TP either the main MOTD or one of the random MOTDs

1)
A 1 - 7 in the MotD priority list.

logo.png - created

logo_main.png - created

win10

$
0
0

Windows 10 Issues

Windows 10 and Intel stuck at initializing VFS

If you have Intel Graphics HD, Intel Graphics HD2500 and Intel Graphics HD4000, and are using the 64bit version of Firestorm 5.0.7 or later, on Windows 10, refer to this page.

Audio Issues After Update May 2018

A Windows 10 update in mid May has resulted in many having audio programs with the viewer. This is actually a problem with the update, and needs to be fixed externally to the viewer.

User 00Linzy00 kindly provided this link to help resolve the issue.

Further to this, you should also check Windows Mixer settings, since audio devices may have been reset.

Massive FPS Drop after Viewer Window Loses Focus

This issue is the result of recent updates of Win10, specifically KB3176938, KB3189866, KB3193494 and KB3194496.

Many users have reported that updating their graphics drivers has fixed the problem:

Should you not be able to upgrade the driver, read on.

  • To uninstall these Windows updates, go to Programs & features > view updates > click and uninstall. Please be advised that uninstalling any update marked as a security update is done at your own risk.
  • To keep windows from downloading the update again download this tool and run it to “hide” the update: https://support.microsoft.com/en-us/kb/3073930?utm_source=twitter#bookmark-1607.
  • Note: “Hiding” one update will not prevent other, later updates. The FPS problem may return as other updates are installed and until Microsoft fixes this issue.

Please refer to this LL JIRA and this FS JIRA page for details and other suggestions.

Voice Is Distorted

If you suddenly sound like a man (and you aren't), or your friend suddenly sounds like a demon (and isn't), or you are hearing other forms of distorted voice, try this:

  1. Right click the Speakers icon on your system tray and select Recording Devices.
  2. Right click the Microphone and select Properties.
  3. Switch to the Advanced tab.
  4. Under Default Format drop down menu, select: 2 channel, 16 bit, 44100 Hz (CD quality).
  5. Untick “Enable Audio Enhancements”
  6. Press OK and OK.
  7. Relog if needed.

Sounds Don't Play

If you suddenly find that sounds do not play, things like button sounds or in-world object sounds, the possible cause is your default output format. Try this:

  1. Right click the Speakers icon on your Windows PC system tray and select Playback Devices.
  2. Right click the Speakers (or your chosen audio output) and select Properties.
  3. Switch to the Advanced tab.
  4. Under Default Format drop down menu, select: 16 bit, 44100 Hz (CD quality).
  5. Click Apply and OK.
  6. Relog if needed.

Missing Characters

If some characters now display as boxes, you will need to reinstall Windows font packs. Some of the more common font packs are Chinese, Japanese and Korean, though if you installed those and still see boxes, you will want to ask the person using those characters to tell you what language (or symbol set) they are so that you can install the appropriate font pack.

  1. Log out of Firestorm.
  2. Go to the Windows Start menu and choose Settings.
  3. In the window that opens, click in the search field at the top right and type in “language”
  4. Select Add a language from the search results.
  5. Click the + Add a language option and select the language from the list. The contents of the window scrolls left and right.
  6. Back in the Add a language section, click the newly added language and choose Options.
  7. Click the top Download button. The language will download and install, and it may take some time.
  8. Repeat this for each language pack you wish to install.
  9. Now log into Firestorm; you should see the missing characters correctly rendered.

Error 0xc000007b

Error 0xc000007b when launching 64 bit Firestorm:

Try following these steps to get the Firestorm installer to reinstall the Visual C++ redistributables that come packaged with it:

  1. First make sure you have the Firestorm installer handy in a place where you can easily access it when you get to the step where it's needed below. (You can download it from here, or from here if you need an older version than the current release.)
  2. Go to the Windows Start Menu and choose Settings.
  3. In the window that opens, click on “System Display, notifications, apps, power.”
  4. In the next window go down to “Apps & features.”
  5. Scroll down to the entry for “Microsoft Visual C++ 2010 x86 Redistributable.” Click on it and choose “Uninstall” (the list won't necessarily update to show that it is uninstalled, but it is).
  6. Click on “Microsoft Visual C++ 2010 x64 Redistributable” and once again choose “Uninstall.”
  7. Close that window.
  8. Re-run the Firstorm installer. The installer window will now say “Modify Setup” (since FS is already installed) and will give you 3 options: “Repair”, “Uninstall” and “Close.” Click on “Repair.” Firestorm will reinstall the Microsoft Visual C++ 2010 Redistributables that it ships with.
  9. Restart your computer. You should be able to launch Firestorm without getting the error message now.

Graphics Issues After Win10 Update

If you start experiencing graphics issues after a Win10 update, such as driver crashes, or simply very poor performance, the first thing to try is a full computer reboot.

If that doesn't help, reinstall your graphics card driver from the card maker's website, not from Windows. That is, from nVidia, AMD, or Intel.

If you have Intel HD graphics, refer to this page.

Camera Spinning or Mouse Wandering in Mouselook

The most common cause for this is a non-default DPI value, or screen scaling. Refer to this page for tips on setting DPI/scaling to default.

Unable to install current version of Quicktime

Some Windows 10 users have experienced difficulty installing current versions of Apple's Quicktime software on their systems. Version 7.7.6 of Quicktime has been confirmed to install correctly on Windows 10 systems. You can download version 7.7.6 from the link below:

Quicktime 7.7.6 (link will take you to the 7.7.6 download page on Apple's website)

**Unfortunately the above link seems to no longer be valid as a source for Quicktime 7.7.6, as such the recommended alternative to allow playback of media streams that were previously handled by Quicktime is to upgrade to a newer version of Firestorm (version 5.0.1.52150 or newer), as these newer versions of Firestorm no longer depend on Quicktime to handle stream playback.

Text and User Interface Too Small

First try increasing Preferences → User Interface → 2D Overlay → UI Scaling. Another possibility is Preferencess → User Interface → Font → Font size adjustment.

Viewer Window Larger Than Expected

This is most often caused by a high DPI scaling setting, usually 125% on most 2k displays. A viewer set to the same width as the display resolution (1920, for example), would extend beyond the display border. To correct this:

  • Log out of Firestorm
  • Right click the Firestorm shortcut and choose Properties
  • In Properties, click the Compatibility tab
  • Near the bottom, find and check “Disable display scaling on high DPI settings”
  • Click OK and Apply

When you launch Firestorm, it should display at the default DPI scale, 100%

Failed to Decode Login Credentials

Some Windows 10 updates change the machine ID used to create login credentials, resulting in Firestorm reporting “Failed to Decode Login Credentials”. The best way to deal with this is to wipe the stored credentials file, as explained here. Naturally, you will then have to retype the user name and password for all your accounts, when first logging in after deleting the credentials file.

Reported on Linden Lab's bug tracker BUG-139291

Viewing all 5258 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>