Clean up config symlink

main
Ensar Sarajčić 2022-05-05 14:58:15 +02:00
parent ed6302f2c8
commit 84b3a682e3
162 changed files with 57 additions and 10821 deletions

View File

@ -1,86 +1,56 @@
autostart
asciinema
chromium/*
chromium/**
blender
ranger/**
ranger/*
Slack/**
Slack/*
hexchat/**
hexchat/*
Google Play Music Desktop Player/*
Google Play Music Desktop Player/**
dconf/*
dconf/**
libreoffice/*
libreoffice/**
StardewValley/*
StardewValley/**
configstore/*
configstore/**
xbuild/**
xbuild/*
stetic/**
stetic/*
direnv/allow/**
direnv/allow/*
spotify
i3/i3barcolors
i3/i3colors
termite/config
termite/termitetheme
dunst/dunstrc
dunst/dunstcolors
other-scripts/fehbg
Xconfigfiles/xcolorsconfig
Xconfigfiles/roficolorsconfig
Todoist/**
Todoist/*
Todoist
flutter/
ibus
pulse
discord
lutris
cef_user_data
QtProject.conf
QtProject/
session/
kdeveloprc
mimeapps.list
yelp/
sublime-text-3
totem
kdeconnect
systemd
gsconnect
hub
menus
monitors.xml
stetic
xbuild
Bitwarden
kwalletrc
Thunar
xfce4
Element
NuGet
Microsoft*
.mono
tlpui
google-chrome*
BraveSoftware
evolution
geary
goa-1.0
touchegg
exercism
evince
gedit
gnome-control-center
nautilus
truffle-nodejs
Kitware
*
!README.md
!.gitignore
!libinput-gestures.conf
!user-dirs.dirs
!user-dirs.locale
!/alacritty/**
!/alacritty/
!/amfora/**
!/amfora/
!/asdf/**
!/asdf/
!/azote/**
!/azote/
!/bat/**
!/bat/
!/direnv/**
!/direnv/
!/fish/**
!/fish/
!/godot/**
!/godot/
!/gtk-2.0/**
!/gtk-2.0/
!/gtk-3.0/**
!/gtk-3.0/
!/gtk-4.0/**
!/gtk-4.0/
!/htop/**
!/htop/
!/mako/**
!/mako/
!/mutt/**
!/mutt/
!/neofetch/**
!/neofetch/
!/newsboat/**
!/newsboat/
!/nvim/**
!/nvim/
!/omf/**
!/omf/
!/sway/**
!/sway/
!/termux/**
!/termux/
!/tridactyl/**
!/tridactyl/
!/ulauncher/**
!/ulauncher/
!/vlc/**
!/vlc/
!/waybar/**
!/waybar/
!/wlogout/**
!/wlogout/

View File

@ -1,10 +0,0 @@
{
"quick-add": "Super+Alt+a",
"show-hide": "Super+Alt+T",
"refresh": "Super+Alt+r",
"beta": false,
"quit": "Alt+F4",
"tray-icon": "icon.png",
"minimize-to-tray": true,
"close-to-tray": true
}

View File

@ -1,6 +0,0 @@
[set]
autoFindAdb=true
clipboardSharing=true
crashReportPreference=0
disableMouseWheel=false
savePath=/home/ensar/Desktop

View File

@ -1,2 +0,0 @@
Epic\ Games
*_Lock

View File

@ -1,728 +0,0 @@
#
# GDB Printers for the Unreal Engine 4
#
# How to install:
# If the file ~/.gdbinit doesn't exist
# touch ~/.gdbinit
# open ~/.gdbinit
#
# and add the following lines:
# python
# import sys
# ...
# sys.path.insert(0, '/Path/To/Epic/UE4/Engine/Extras/GDBPrinters') <--
# ...
# from UE4Printers import register_ue4_printers <--
# register_ue4_printers (None) <--
# ...
# end
import gdb
import itertools
import re
import sys
# ------------------------------------------------------------------------------
# We make our own base of the iterator to prevent issues between Python 2/3.
#
if sys.version_info[0] == 3:
Iterator = object
else:
class Iterator(object):
def next(self):
return type(self).__next__(self)
def default_iterator(val):
for field in val.type.fields():
yield field.name, val[field.name]
# ------------------------------------------------------------------------------
#
# Custom pretty printers.
#
#
# ------------------------------------------------------------------------------
# FBitReference
#
class FBitReferencePrinter:
def __init__(self, typename, val):
self.Value = val
def to_string(self):
self.Mask = self.Value['Mask']
self.Data = self.Value['Data']
return '\'%d\'' % (self.Data & self.Mask)
# ------------------------------------------------------------------------------
# TBitArray
#
class TBitArrayPrinter:
"Print TBitArray"
class _iterator(Iterator):
def __init__(self, val):
self.Value = val
self.Counter = -1
try:
self.NumBits = self.Value['NumBits']
if self.NumBits.is_optimized_out:
self.NumBits = 0
else:
self.AllocatorInstance = self.Value['AllocatorInstance']
self.InlineData = self.AllocatorInstance['InlineData']
self.SecondaryData = self.AllocatorInstance['SecondaryData']
self.SecondaryDataData = self.AllocatorInstance['SecondaryData']['Data']
if self.SecondaryData != None:
self.SecondaryDataData = self.SecondaryData['Data']
except:
raise
def __iter__(self):
return self
def __next__(self):
if self.NumBits == 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Counter >= self.NumBits:
raise StopIteration
if self.SecondaryDataData > 0:
data = self.SecondaryDataData.cast(gdb.lookup_type("uint32").pointer())
else:
data = self.InlineData.cast(gdb.lookup_type("uint32").pointer())
return ('[%d]' % self.Counter, (data[self.Counter/32] >> self.Counter) & 1)
def __init__(self, typename, val):
self.Value = val
self.NumBits = self.Value['NumBits']
def to_string(self):
if self.NumBits.is_optimized_out:
pass
if self.NumBits == 0:
return 'empty'
pass
def children(self):
return self._iterator(self.Value)
def display_hint(self):
return 'array'
# ------------------------------------------------------------------------------
# TIndirectArray
#
# ------------------------------------------------------------------------------
# TChunkedArray
#
class TChunkedArrayPrinter:
"Print TChunkedArray"
class _iterator(Iterator):
def __init__(self, val, typename):
self.Value = val
self.Typename = typename
self.Counter = -1
self.ElementType = self.Value.type.template_argument(0)
self.ElementTypeSize = self.ElementType.sizeof
try:
self.NumElements = self.Value['NumElements']
if self.NumElements.is_optimized_out:
self.NumElements = 0
else:
self.Chunks = self.Value['Chunks']
self.Array = self.Chunks['Array']
self.ArrayNum = self.Array['ArrayNum']
self.AllocatorInstance = self.Array['AllocatorInstance']
self.AllocatorData = self.AllocatorInstance['Data']
except:
raise
def __iter__(self):
return self
def __next__(self):
return self.next()
def __next__(self):
if self.NumElements == 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Counter >= self.NumElements:
raise StopIteration()
Expr = '(unsigned)sizeof('+str(self.Typename)+'::FChunk)/'+str(self.ElementTypeSize)
self.ChunkBytes = gdb.parse_and_eval(Expr)
assert self.ChunkBytes != 0
Expr = '*(*((('+str(self.ElementType.name)+'**)'+str(self.AllocatorData)+')+'+str(self.Counter / self.ChunkBytes)+')+'+str(self.Counter % self.ChunkBytes)+')'
Val = gdb.parse_and_eval(Expr)
return ('[%d]' % self.Counter, Val)
def __init__(self, typename, val):
self.Value = val
self.Typename = typename
self.NumElements = self.Value['NumElements']
def to_string(self):
if self.NumElements.is_optimized_out:
pass
if self.NumElements == 0:
return 'empty'
pass
def children(self):
return self._iterator(self.Value, self.Typename)
def display_hint(self):
return 'array'
# ------------------------------------------------------------------------------
# TSparseArray
#
class TSparseArrayPrinter:
"Print TSparseArray"
class _iterator(Iterator):
def __init__(self, val, typename):
self.Value = val
self.Counter = -1
self.Typename = typename
self.ElementType = self.Value.type.template_argument(0)
self.ElementTypeSize = self.ElementType.sizeof
assert self.ElementTypeSize != 0
try:
self.NumFreeIndices = self.Value['NumFreeIndices']
self.Data = self.Value['Data']
self.ArrayNum = self.Data['ArrayNum']
if self.ArrayNum.is_optimized_out:
self.ArrayNum = 0
else:
self.AllocatorInstance = self.Data['AllocatorInstance']
self.AllocatorData = self.AllocatorInstance['Data']
self.AllocationFlags = self.Value['AllocationFlags']
self.AllocationFlagsInstance = self.AllocationFlags['AllocatorInstance']
self.InlineData = self.AllocationFlagsInstance['InlineData']
self.SecondaryData = self.AllocationFlagsInstance['SecondaryData']
self.SecondaryDataData = self.SecondaryData['Data']
except:
raise
def __iter__(self):
return self
def __next__(self):
return self.next()
def __next__(self):
if self.ArrayNum == 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Counter >= self.ArrayNum:
raise StopIteration
else:
Data = None
if self.SecondaryDataData > 0:
Data = (self.SecondaryDataData.address.cast(gdb.lookup_type("int").pointer())[self.Counter/32] >> self.Counter) & 1
else:
Data = (self.InlineData.address.cast(gdb.lookup_type("int").pointer())[self.Counter/32] >> self.Counter) & 1
Value = None
if Data != 0:
offset = self.Counter * self.ElementTypeSize
Value = (self.AllocatorData + offset).cast(self.ElementType.pointer())
else:
Value = None
return ('[%s]' % self.Counter, Value.dereference())
def __init__(self, typename, val):
self.Value = val
self.Typename = typename
self.ArrayNum = self.Value['Data']['ArrayNum']
def to_string(self):
if self.ArrayNum.is_optimized_out:
pass
if self.ArrayNum == 0:
return 'empty'
pass
def children(self):
return self._iterator(self.Value, self.Typename)
def display_hint(self):
return 'array'
# ------------------------------------------------------------------------------
# TSet
#
class TSetPrinter:
"Print TSet"
class _iterator(Iterator):
def __init__(self, val, typename):
self.Value = val
self.Counter = -1
self.typename = typename
self.ElementType = self.Value.type.template_argument(0)
try:
self.Elements = self.Value["Elements"]
self.ElementsData = self.Elements["Data"]
self.ElementsArrayNum = self.ElementsData['ArrayNum']
self.NumFreeIndices = self.Elements['NumFreeIndices']
self.AllocatorInstance = self.ElementsData['AllocatorInstance']
self.AllocatorInstanceData = self.AllocatorInstance['Data']
self.AllocationFlags = self.Elements['AllocationFlags']
self.AllocationFlagsInstance = self.AllocationFlags['AllocatorInstance']
self.InlineData = self.AllocationFlagsInstance['InlineData']
self.SecondaryData = self.AllocationFlagsInstance['SecondaryData']
self.SecondaryDataData = self.SecondaryData['Data']
except:
self.ElementsArrayNum = 0
Expr = '(size_t)sizeof(FSetElementId) + sizeof(int32)'
TSetElement = gdb.parse_and_eval(Expr)
self.ElementTypeSize = self.ElementType.sizeof + TSetElement
def __iter__(self):
return self
def __next__(self):
self.Counter = self.Counter + 1
if self.Counter >= self.ElementsArrayNum:
raise StopIteration()
else:
Data = None
if self.SecondaryDataData > 0:
Data = (self.SecondaryDataData.address.cast(gdb.lookup_type("int").pointer())[self.Counter/32] >> self.Counter) & 1
else:
Data = (self.InlineData.address.cast(gdb.lookup_type("int").pointer())[self.Counter/32] >> self.Counter) & 1
Value = None
if Data != 0:
offset = self.Counter * self.ElementTypeSize
Value = (self.AllocatorInstanceData + offset).cast(self.ElementType.pointer())
else:
Value = None
return ('[%s]' % self.Counter, Value.dereference())
def __init__(self, typename, val):
self.Value = val
self.typename = typename
self.ArrayNum = self.Value["Elements"]["Data"]['ArrayNum']
def to_string(self):
if self.ArrayNum.is_optimized_out:
pass
if self.ArrayNum == 0:
return 'empty'
pass
def children(self):
return self._iterator(self.Value, self.typename)
def display_hint(self):
return 'array'
# ------------------------------------------------------------------------------
# TSetElementPrinter
#
class TSetElementPrinter:
"Print TSetElement"
def __init__(self, typename, val):
self.Value = val
def to_string(self):
if self.Value.is_optimized_out:
return '<optimized out>'
return self.Value["Value"]
def display_hint(self):
return "string"
# ------------------------------------------------------------------------------
# TMap
#
class TMapPrinter:
"Print TMap"
class _iterator(Iterator):
def __init__(self, val):
self.Value = val
self.Counter = -1
try:
self.Pairs = self.Value['Pairs']
if self.Pairs.is_optimized_out:
self.ArrayNum = 0
else:
self.Elements = self.Pairs['Elements']
self.ElementsData = self.Elements['Data']
self.ArrayNum = self.ElementsData['ArrayNum']
except:
raise
def __iter__(self):
return self
def __next__(self):
if self.ArrayNum == 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Counter > 0:
raise StopIteration
return ('Pairs', self.Pairs)
def __init__(self, typename, val):
self.Value = val
self.ArrayNum = self.Value['Pairs']['Elements']['Data']['ArrayNum']
def children(self):
return self._iterator(self.Value)
def to_string(self):
if self.ArrayNum.is_optimized_out:
pass
if self.ArrayNum == 0:
return 'empty'
pass
def display_hint(self):
return 'map'
# ------------------------------------------------------------------------------
# TWeakObjectPtr
#
class TWeakObjectPtrPrinter:
"Print TWeakObjectPtr"
class _iterator(Iterator):
def __init__(self, val):
self.Value = val
self.Counter = 0
self.Object = None
self.ObjectSerialNumber = int(self.Value['ObjectSerialNumber'])
if self.ObjectSerialNumber >= 1:
ObjectIndexValue = int(self.Value['ObjectIndex'])
ObjectItemExpr = 'GCoreObjectArrayForDebugVisualizers->Objects['+str(ObjectIndexValue)+'/FChunkedFixedUObjectArray::NumElementsPerChunk]['+str(ObjectIndexValue)+ '% FChunkedFixedUObjectArray::NumElementsPerChunk]'
ObjectItem = gdb.parse_and_eval(ObjectItemExpr);
IsValidObject = int(ObjectItem['SerialNumber']) == self.ObjectSerialNumber
if IsValidObject == True:
ObjectType = self.Value.type.template_argument(0)
self.Object = ObjectItem['Object'].dereference().cast(ObjectType.reference())
def __iter__(self):
return self
def __next__(self):
if self.Counter > 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Object != None:
return ('Object', self.Object)
elif self.ObjectSerialNumber > 0:
return ('Object', 'STALE')
else:
return ('Object', 'nullptr')
def __init__(self, typename, val):
self.Value = val
def children(self):
return self._iterator(self.Value)
def to_string(self):
ObjectType = self.Value.type.template_argument(0)
return 'TWeakObjectPtr<%s>' % ObjectType.name;
# ------------------------------------------------------------------------------
# FString
#
class FStringPrinter:
"Print FString"
def __init__(self, typename, val):
self.Value = val
def to_string(self):
if self.Value.is_optimized_out:
return '<optimized out>'
ArrayNum = self.Value['Data']['ArrayNum']
if ArrayNum == 0:
return 'empty'
elif ArrayNum < 0:
return "nullptr"
else:
ActualData = self.Value['Data']['AllocatorInstance']['Data']
data = ActualData.cast(gdb.lookup_type("TCHAR").pointer())
return '%s' % (data.string())
def display_hint (self):
return 'string'
# ------------------------------------------------------------------------------
# FNameEntry
#
class FNameEntryPrinter:
"Print FNameEntry"
def __init__(self, typename, val):
self.Value = val
def to_string(self):
self.Header = self.Value['Header']
IsWideString = self.Header['bIsWide'].cast(gdb.lookup_type('bool'))
self.AnsiName = self.Value['AnsiName']
self.WideName = self.Value['WideName']
Len = int(self.Header['Len'].cast(gdb.lookup_type('uint16')))
if IsWideString == True:
WideString = self.WideName.cast(gdb.lookup_type('WIDECHAR').pointer())
return '%s' % WideString.string('','',Len)
else:
AnsiString = self.AnsiName.cast(gdb.lookup_type('ANSICHAR').pointer())
return '%s' % AnsiString.string('','',Len)
def display_hint (self):
return 'string'
# ------------------------------------------------------------------------------
# FName
#
class FNamePrinter:
"Print FName"
def __init__(self, typename, val):
self.Value = val
def to_string(self):
if self.Value.is_optimized_out:
return '<optimized out>'
# ComparisonIndex is an FNameEntryId
Index = self.Value['ComparisonIndex']['Value']
IndexValue = int(Index)
if IndexValue >= 4194304:
return 'invalid'
else:
Expr = '((FNameEntry&)GNameBlocksDebug['+str(IndexValue)+' >> FNameDebugVisualizer::OffsetBits][FNameDebugVisualizer::EntryStride * ('+str(IndexValue)+' & FNameDebugVisualizer::OffsetMask)])'
NameEntry = gdb.parse_and_eval(Expr)
Number = self.Value['Number']
NumberValue = int(Number)
if NumberValue == 0:
return NameEntry
else:
return str([str(NameEntry), 'Number=' + str(NumberValue)])
# ------------------------------------------------------------------------------
# FMinimalName
#
class FMinimalNamePrinter:
"Print FMinimalName"
def __init__(self, typename, val):
self.Value = val
def to_string(self):
Index = self.Value['Index']['Value']
IndexValue = int(Index)
if IndexValue >= 4194304:
return 'invalid'
else:
Expr = '((FNameEntry&)GNameBlocksDebug['+str(IndexValue)+' >> FNameDebugVisualizer::OffsetBits][FNameDebugVisualizer::EntryStride * ('+str(IndexValue)+' & FNameDebugVisualizer::OffsetMask)])'
NameEntry = gdb.parse_and_eval(Expr)
Number = self.Value['Number']
NumberValue = int(Number)
if NumberValue == 0:
return NameEntry
else:
return str([str(NameEntry), 'Number=' + str(NumberValue)])
# ------------------------------------------------------------------------------
# TTuple
#
class TTuplePrinter:
"Print TTuple"
def __init__(self, typename, val):
self.Value = val
try:
self.TKey = self.Value["Key"];
self.TValue = self.Value["Value"];
except:
pass
def to_string(self):
return '(%s, %s)' % (self.TKey, self.TValue)
# ------------------------------------------------------------------------------
# TArray
#
class TArrayPrinter:
"Print TArray"
class _iterator(Iterator):
def __init__(self, val):
self.Value = val
self.Counter = -1
self.TType = self.Value.type.template_argument(0)
try:
self.ArrayNum = self.Value['ArrayNum']
if self.ArrayNum.is_optimized_out:
self.ArrayNum = 0
if self.ArrayNum > 0:
self.AllocatorInstance = self.Value['AllocatorInstance']
self.AllocatorInstanceData = self.AllocatorInstance['Data']
try:
self.InlineData = self.AllocatorInstance['InlineData']
self.SecondaryData = self.AllocatorInstance['SecondaryData']
if self.SecondaryData != None:
self.SecondaryDataData = self.SecondaryData['Data']
else:
self.SecondaryDataData = None
except:
pass
except:
raise
def __iter__(self):
return self
def __next__(self):
if self.ArrayNum == 0:
raise StopIteration
self.Counter = self.Counter + 1
if self.Counter >= self.ArrayNum:
raise StopIteration
try:
if self.AllocatorInstanceData != None:
data = self.AllocatorInstanceData.cast(self.TType.pointer())
elif self.SecondaryDataDataVal > 0:
data = self.SecondaryDataData.cast(self.TType.pointer())
else:
data = self.InlineData.cast(self.TType.pointer())
except:
return ('[%d]' % self.Counter, "optmized")
return ('[%d]' % self.Counter, data[self.Counter])
def __init__(self, typename, val):
self.Value = val;
self.ArrayNum = self.Value['ArrayNum']
def to_string(self):
if self.ArrayNum.is_optimized_out:
pass
if self.ArrayNum == 0:
return 'empty'
pass
def children(self):
return self._iterator(self.Value)
def display_hint(self):
return 'array'
#
# Register our lookup function. If no objfile is passed use all globally.
def register_ue4_printers(objfile):
if objfile == None:
objfile = gdb
objfile.pretty_printers.append(lookup_function)
#
# We need this part which is a definition how pretty printers work.
#
def lookup_function (val):
"Look-up and return a pretty-printer that can print val."
# Get the type and check if it points to a reference. We check for both Object and Pointer type.
type = val.type;
if (type.code == gdb.TYPE_CODE_REF) or (type.code == gdb.TYPE_CODE_PTR):
type = type.target ()
# Get the unqualified type, mean remove const nor volatile and strippe of typedefs.
type = type.unqualified ().strip_typedefs ()
# Get the tag name. The tag name is the name after struct, union, or enum in C and C++
tag = type.tag
if tag == None:
return None
for function in pretty_printers_dict:
if function.search (tag):
return pretty_printers_dict[function] (tag, val)
# Cannot find a pretty printer. Return None.
return None
def build_dictionary ():
pretty_printers_dict[re.compile('^FString$')] = lambda typename, val: FStringPrinter(typename, val)
pretty_printers_dict[re.compile('^FNameEntry$')] = lambda typename, val: FNameEntryPrinter(typename, val)
pretty_printers_dict[re.compile('^FName$')] = lambda typename, val: FNamePrinter(typename, val)
pretty_printers_dict[re.compile('^FMinimalName$')] = lambda typename, val: FMinimalNamePrinter(typename, val)
pretty_printers_dict[re.compile('^TArray<.+,.+>$')] = lambda typename, val: TArrayPrinter(typename, val)
pretty_printers_dict[re.compile('^TBitArray<.+>$')] = lambda typename, val: TBitArrayPrinter(typename, val)
pretty_printers_dict[re.compile('^TChunkedArray<.+>$')] = lambda typename, val: TChunkedArrayPrinter(typename, val)
pretty_printers_dict[re.compile('^TSparseArray<.+>$')] = lambda typename, val: TSparseArrayPrinter(typename, val)
pretty_printers_dict[re.compile('^TSetElement<.+>$')] = lambda typename, val: TSetElementPrinter(typename, val)
pretty_printers_dict[re.compile('^TSet<.+>$')] = lambda typename, val: TSetPrinter(typename, val)
pretty_printers_dict[re.compile('^FBitReference$')] = lambda typename, val: FBitReferencePrinter(typename, val)
pretty_printers_dict[re.compile('^TMap<.+,.+,.+>$')] = lambda typename, val: TMapPrinter(typename, val)
pretty_printers_dict[re.compile('^TPair<.+,.+>$')] = lambda typename, val: TTuplePrinter(typename, val)
pretty_printers_dict[re.compile('^TTuple<.+,.+>$')] = lambda typename, val: TTuplePrinter(typename, val)
pretty_printers_dict[re.compile('^TWeakObjectPtr<.+>$')] = lambda typename, val: TWeakObjectPtrPrinter(typename, val)
pretty_printers_dict = {}
build_dictionary ()

View File

@ -1 +0,0 @@
Install.ini

View File

@ -1,4 +0,0 @@
[Manifest]
Version=2

View File

@ -1,4 +0,0 @@
[Manifest]
Version=2

View File

@ -1,4 +0,0 @@
[Manifest]
Version=2

View File

@ -1,488 +0,0 @@
[AppCompat]
CPUScore1=1000
CPUScore2=720
CPUScore3=630
CPUScore4=500
CPUScore5=275
CPUSpeed1=1.8
CPUSpeed2=2.4
CPUSpeed3=3.0
CPUSpeed4=3.5
CPUSpeed5=4.0
CPUMultiCoreMult=1.75
CPUHyperThreadMult=1.15
CPUMemory1=0.5
CPUMemory2=1.0
CPUMemory3=1.0
CPUMemory4=2.0
CPUMemory5=3.0
GPUmemory1=128
GPUmemory2=128
GPUmemory3=256
GPUmemory4=512
GPUmemory5=768
GPUShader1=2
GPUShader2=2
GPUShader3=2
GPUShader4=3
GPUShader5=3
[AppCompatGPU-0x10DE]
VendorName=NVIDIA
VendorMobileTag=Go
0x014F=1,GeForce 6200
0x00F3=1,GeForce 6200
0x0221=1,GeForce 6200
0x0163=1,GeForce 6200 LE
0x0162=1,GeForce 6200SE TurboCache(TM)
0x0161=1,GeForce 6200 TurboCache(TM)
0x0160=1,GeForce 6500
0x0141=2,GeForce 6600
0x00F2=2,GeForce 6600
0x0140=2,GeForce 6600 GT
0x00F1=2,GeForce 6600 GT
0x0142=2,GeForce 6600 LE
0x00F4=2,GeForce 6600 LE
0x0143=2,GeForce 6600 VE
0x0147=2,GeForce 6700 XL
0x0041=2,GeForce 6800
0x00C1=2,GeForce 6800
0x0047=2,GeForce 6800 GS
0x00F6=2,GeForce 6800 GS
0x00C0=2,GeForce 6800 GS
0x0045=2,GeForce 6800 GT
0x00F9=2,GeForce 6800 Series GPU
0x00C2=2,GeForce 6800 LE
0x0040=2,GeForce 6800 Ultra
0x0043=2,GeForce 6800 XE
0x0048=2,GeForce 6800 XT
0x0218=2,GeForce 6800 XT
0x00C3=2,GeForce 6800 XT
0x01DF=2,GeForce 7300 GS
0x0393=2,GeForce 7300 GT
0x01D1=2,GeForce 7300 LE
0x01D3=2,GeForce 7300 SE
0x01DD=2,GeForce 7500 LE
0x0392=3,GeForce 7600 GS
0x02E1=3,GeForce 7600 GS
0x0391=3,GeForce 7600 GT
0x0394=3,GeForce 7600 LE
0x00F5=4,GeForce 7800 GS
0x0092=4,GeForce 7800 GT
0x0091=4,GeForce 7800 GTX
0x0291=4,GeForce 7900 GT/GTO
0x0292=4,GeForce 7900 GS
0x0290=4,GeForce 7900 GTX
0x0293=4,GeForce 7900 GX2
0x0294=4,GeForce 7950 GX2
0x0322=0,GeForce FX 5200
0x0321=0,GeForce FX 5200 Ultra
0x0323=0,GeForce FX 5200LE
0x0326=1,GeForce FX 5500
0x0312=1,GeForce FX 5600
0x0311=1,GeForce FX 5600 Ultra
0x0314=1,GeForce FX 5600XT
0x0342=1,GeForce FX 5700
0x0341=1,GeForce FX 5700 Ultra
0x0343=1,GeForce FX 5700LE
0x0344=1,GeForce FX 5700VE
0x0302=1,GeForce FX 5800
0x0301=1,GeForce FX 5800 Ultra
0x0331=1,GeForce FX 5900
0x0330=1,GeForce FX 5900 Ultra
0x0333=1,GeForce FX 5950 Ultra
0x0324=1,GeForce FX Go5200 64M
0x031A=1,GeForce FX Go5600
0x0347=1,GeForce FX Go5700
0x0167=1,GeForce Go 6200/6400
0x0168=1,GeForce Go 6200/6400
0x0148=1,GeForce Go 6600
0x00c8=2,GeForce Go 6800
0x00c9=2,GeForce Go 6800 Ultra
0x0098=3,GeForce Go 7800
0x0099=3,GeForce Go 7800 GTX
0x0298=3,GeForce Go 7900 GS
0x0299=3,GeForce Go 7900 GTX
0x0185=0,GeForce MX 4000
0x00FA=0,GeForce PCX 5750
0x00FB=0,GeForce PCX 5900
0x0110=0,GeForce2 MX/MX 400
0x0111=0,GeForce2 MX200
0x0200=0,GeForce3
0x0201=0,GeForce3 Ti200
0x0202=0,GeForce3 Ti500
0x0172=0,GeForce4 MX 420
0x0171=0,GeForce4 MX 440
0x0181=0,GeForce4 MX 440 with AGP8X
0x0173=0,GeForce4 MX 440-SE
0x0170=0,GeForce4 MX 460
0x0253=0,GeForce4 Ti 4200
0x0281=0,GeForce4 Ti 4200 with AGP8X
0x0251=0,GeForce4 Ti 4400
0x0250=0,GeForce4 Ti 4600
0x0280=0,GeForce4 Ti 4800
0x0282=0,GeForce4 Ti 4800SE
0x0203=0,Quadro DCC
0x0309=1,Quadro FX 1000
0x034E=1,Quadro FX 1100
0x00FE=1,Quadro FX 1300
0x00CE=1,Quadro FX 1400
0x0308=1,Quadro FX 2000
0x0338=1,Quadro FX 3000
0x00FD=1,Quadro PCI-E Series
0x00F8=1,Quadro FX 3400/4400
0x00CD=1,Quadro FX 3450/4000 SDI
0x004E=1,Quadro FX 4000
0x009D=1,Quadro FX 4500
0x029F=1,Quadro FX 4500 X2
0x032B=1,Quadro FX 500/FX 600
0x014E=1,Quadro FX 540
0x014C=1,Quadro FX 540 MXM
0X033F=1,Quadro FX 700
0x034C=1,Quadro FX Go1000
0x00CC=1,Quadro FX Go1400
0x031C=1,Quadro FX Go700
0x018A=1,Quadro NVS with AGP8X
0x032A=1,Quadro NVS 280 PCI
0x0165=1,Quadro NVS 285
0x017A=1,Quadro NVS
0x0113=1,Quadro2 MXR/EX
0x018B=1,Quadro4 380 XGL
0x0178=1,Quadro4 550 XGL
0x0188=1,Quadro4 580 XGL
0x025B=1,Quadro4 700 XGL
0x0259=1,Quadro4 750 XGL
0x0258=1,Quadro4 900 XGL
0x0288=1,Quadro4 980 XGL
0x028C=1,Quadro4 Go700
0x0295=4,NVIDIA GeForce 7950 GT
0x03D0=1,NVIDIA GeForce 6100 nForce 430
0x03D1=1,NVIDIA GeForce 6100 nForce 405
0x03D2=1,NVIDIA GeForce 6100 nForce 400
0x0241=1,NVIDIA GeForce 6150 LE
0x0242=1,NVIDIA GeForce 6100
0x0245=1,NVIDIA Quadro NVS 210S / NVIDIA GeForce 6150LE
0x029C=1,NVIDIA Quadro FX 5500
0x0191=5,NVIDIA GeForce 8800 GTX
0x0193=5,NVIDIA GeForce 8800 GTS
0x0400=4,NVIDIA GeForce 8600 GTS
0x0402=4,NVIDIA GeForce 8600 GT
0x0421=4,NVIDIA GeForce 8500 GT
0x0422=4,NVIDIA GeForce 8400 GS
0x0423=4,NVIDIA GeForce 8300 GS
[AppCompatGPU-0x1002]
VendorName=ATI
VendorMobileTag=Mobility
0x5653=1,ATI MOBILITY RADEON X700
0x7248=5,Radeon X1900 Series
0x7268=5,Radeon X1900 Series Secondary
0x554D=3,ATI RADEON X800 XL
0x556D=3,ATI RADEON X800 XL Secondary
0x5D52=3,Radeon X850 XT
0x5D72=3,Radeon X850 XT Secondary
0x564F=1,Radeon X550/X700 Series
0x4154=1,ATI FireGL T2
0x4174=1,ATI FireGL T2 Secondary
0x5B64=1,ATI FireGL V3100
0x5B74=1,ATI FireGL V3100 Secondary
0x3E54=1,ATI FireGL V3200
0x3E74=1,ATI FireGL V3200 Secondary
0x7152=1,ATI FireGL V3300
0x7172=1,ATI FireGL V3300 Secondary
0x7153=1,ATI FireGL V3350
0x7173=1,ATI FireGL V3350 Secondary
0x71D2=1,ATI FireGL V3400
0x71F2=1,ATI FireGL V3400 Secondary
0x5E48=1,ATI FireGL V5000
0x5E68=1,ATI FireGL V5000 Secondary
0x5551=1,ATI FireGL V5100
0x5571=1,ATI FireGL V5100 Secondary
0x71DA=1,ATI FireGL V5200
0x71FA=1,ATI FireGL V5200 Secondary
0x7105=1,ATI FireGL V5300
0x7125=1,ATI FireGL V5300 Secondary
0x5550=1,ATI FireGL V7100
0x5570=1,ATI FireGL V7100 Secondary
0x5D50=1,ATI FireGL V7200
0x7104=1,ATI FireGL V7200
0x5D70=1,ATI FireGL V7200 Secondary
0x7124=1,ATI FireGL V7200 Secondary
0x710E=1,ATI FireGL V7300
0x712E=1,ATI FireGL V7300 Secondary
0x710F=1,ATI FireGL V7350
0x712F=1,ATI FireGL V7350 Secondary
0x4E47=1,ATI FireGL X1
0x4E67=1,ATI FireGL X1 Secondary
0x4E4B=1,ATI FireGL X2-256/X2-256t
0x4E6B=1,ATI FireGL X2-256/X2-256t Secondary
0x4A4D=1,ATI FireGL X3-256
0x4A6D=1,ATI FireGL X3-256 Secondary
0x4147=1,ATI FireGL Z1
0x4167=1,ATI FireGL Z1 Secondary
0x5B65=1,ATI FireMV 2200
0x5B75=1,ATI FireMV 2200 Secondary
0x719B=1,ATI FireMV 2250
0x71BB=1,ATI FireMV 2250 Secondary
0x3151=1,ATI FireMV 2400
0x3171=1,ATI FireMV 2400 Secondary
0x724E=1,ATI FireStream 2U
0x726E=1,ATI FireStream 2U Secondary
0x4C58=1,ATI MOBILITY FIRE GL 7800
0x4E54=1,ATI MOBILITY FIRE GL T2/T2e
0x5464=1,ATI MOBILITY FireGL V3100
0x3154=1,ATI MOBILITY FireGL V3200
0x564A=1,ATI MOBILITY FireGL V5000
0x564B=1,ATI MOBILITY FireGL V5000
0x5D49=1,ATI MOBILITY FireGL V5100
0x71C4=1,ATI MOBILITY FireGL V5200
0x71D4=1,ATI MOBILITY FireGL V5250
0x7106=1,ATI MOBILITY FireGL V7100
0x7103=1,ATI MOBILITY FireGL V7200
0x4C59=1,ATI MOBILITY RADEON
0x4C57=1,ATI MOBILITY RADEON 7500
0x4E52=1,ATI MOBILITY RADEON 9500
0x4E56=1,ATI MOBILITY RADEON 9550
0x4E50=1,ATI MOBILITY RADEON 9600/9700 Series
0x4A4E=1,ATI MOBILITY RADEON 9800
0x7210=1,ATI Mobility Radeon HD 2300
0x7211=1,ATI Mobility Radeon HD 2300
0x94C9=1,ATI Mobility Radeon HD 2400
0x94C8=1,ATI Mobility Radeon HD 2400 XT
0x9581=1,ATI Mobility Radeon HD 2600
0x9583=1,ATI Mobility Radeon HD 2600 XT
0x714A=1,ATI Mobility Radeon X1300
0x7149=1,ATI Mobility Radeon X1300
0x714B=1,ATI Mobility Radeon X1300
0x714C=1,ATI Mobility Radeon X1300
0x718B=1,ATI Mobility Radeon X1350
0x718C=1,ATI Mobility Radeon X1350
0x7196=1,ATI Mobility Radeon X1350
0x7145=1,ATI Mobility Radeon X1400
0x7186=1,ATI Mobility Radeon X1450
0x718D=1,ATI Mobility Radeon X1450
0x71C5=1,ATI Mobility Radeon X1600
0x71D5=1,ATI Mobility Radeon X1700
0x71DE=1,ATI Mobility Radeon X1700
0x71D6=1,ATI Mobility Radeon X1700 XT
0x7102=1,ATI Mobility Radeon X1800
0x7101=1,ATI Mobility Radeon X1800 XT
0x7284=1,ATI Mobility Radeon X1900
0x718A=1,ATI Mobility Radeon X2300
0x7188=1,ATI Mobility Radeon X2300
0x5461=1,ATI MOBILITY RADEON X300
0x5460=1,ATI MOBILITY RADEON X300
0x3152=1,ATI MOBILITY RADEON X300
0x3150=1,ATI MOBILITY RADEON
0x5462=1,ATI MOBILITY RADEON X600 SE
0x5652=1,ATI MOBILITY RADEON X700
0x5673=1,ATI MOBILITY RADEON X700 Secondary
0x5D4A=1,ATI MOBILITY RADEON X800
0x5D48=1,ATI MOBILITY RADEON X800 XT
0x4153=1,ATI Radeon 9550/X1050 Series
0x4173=1,ATI Radeon 9550/X1050 Series Secondary
0x4150=1,ATI RADEON 9600 Series
0x4E51=1,ATI RADEON 9600 Series
0x4151=1,ATI RADEON 9600 Series
0x4155=1,ATI RADEON 9600 Series
0x4152=1,ATI RADEON 9600 Series
0x4E71=1,ATI RADEON 9600 Series Secondary
0x4171=1,ATI RADEON 9600 Series Secondary
0x4170=1,ATI RADEON 9600 Series Secondary
0x4175=1,ATI RADEON 9600 Series Secondary
0x4172=1,ATI RADEON 9600 Series Secondary
0x9402=5,ATI Radeon HD 2900 XT
0x9403=5,ATI Radeon HD 2900 XT
0x9400=5,ATI Radeon HD 2900 XT
0x9401=5,ATI Radeon HD 2900 XT
0x791E=1,ATI Radeon X1200 Series
0x791F=1,ATI Radeon X1200 Series
0x7288=5,ATI Radeon X1950 GT
0x72A8=5,ATI Radeon X1950 GT Secondary
0x554E=3,ATI RADEON X800 GT
0x556E=3,ATI RADEON X800 GT Secondary
0x4B4B=3,ATI RADEON X850 PRO
0x4B6B=3,ATI RADEON X850 PRO Secondary
0x4B4A=3,ATI RADEON X850 SE
0x4B6A=3,ATI RADEON X850 SE Secondary
0x4B49=3,ATI RADEON X850 XT
0x4B4C=3,ATI RADEON X850 XT Platinum Edition
0x4B6C=3,ATI RADEON X850 XT Platinum Edition Secondary
0x4B69=3,ATI RADEON X850 XT Secondary
0x793F=1,ATI Radeon Xpress 1200 Series
0x7941=1,ATI Radeon Xpress 1200 Series
0x7942=1,ATI Radeon Xpress 1200 Series
0x5A61=1,ATI Radeon Xpress Series
0x5A63=1,ATI Radeon Xpress Series
0x5A62=1,ATI Radeon Xpress Series
0x5A41=1,ATI Radeon Xpress Series
0x5A43=1,ATI Radeon Xpress Series
0x5A42=1,ATI Radeon Xpress Series
0x5954=1,ATI Radeon Xpress Series
0x5854=1,ATI Radeon Xpress Series
0x5955=1,ATI Radeon Xpress Series
0x5974=1,ATI Radeon Xpress Series
0x5874=1,ATI Radeon Xpress Series
0x5975=1,ATI Radeon Xpress Series
0x4144=1,Radeon 9500
0x4149=1,Radeon 9500
0x4E45=1,Radeon 9500 PRO / 9700
0x4E65=1,Radeon 9500 PRO / 9700 Secondary
0x4164=1,Radeon 9500 Secondary
0x4169=1,Radeon 9500 Secondary
0x4E46=1,Radeon 9600 TX
0x4E66=1,Radeon 9600 TX Secondary
0x4146=1,Radeon 9600TX
0x4166=1,Radeon 9600TX Secondary
0x4E44=1,Radeon 9700 PRO
0x4E64=1,Radeon 9700 PRO Secondary
0x4E49=1,Radeon 9800
0x4E48=1,Radeon 9800 PRO
0x4E68=1,Radeon 9800 PRO Secondary
0x4148=1,Radeon 9800 SE
0x4168=1,Radeon 9800 SE Secondary
0x4E69=1,Radeon 9800 Secondary
0x4E4A=1,Radeon 9800 XT
0x4E6A=1,Radeon 9800 XT Secondary
0x7146=2,Radeon X1300 / X1550 Series
0x7166=2,Radeon X1300 / X1550 Series Secondary
0x714E=2,Radeon X1300 Series
0x715E=2,Radeon X1300 Series
0x714D=2,Radeon X1300 Series
0x71C3=2,Radeon X1300 Series
0x718F=2,Radeon X1300 Series
0x716E=2,Radeon X1300 Series Secondary
0x717E=2,Radeon X1300 Series Secondary
0x716D=2,Radeon X1300 Series Secondary
0x71E3=2,Radeon X1300 Series Secondary
0x71AF=2,Radeon X1300 Series Secondary
0x7142=2,Radeon X1300/X1550 Series
0x7180=2,Radeon X1300/X1550 Series
0x7183=2,Radeon X1300/X1550 Series
0x7187=2,Radeon X1300/X1550 Series
0x7162=2,Radeon X1300/X1550 Series Secondary
0x71A0=2,Radeon X1300/X1550 Series Secondary
0x71A3=2,Radeon X1300/X1550 Series Secondary
0x71A7=2,Radeon X1300/X1550 Series Secondary
0x7147=2,Radeon X1550 64-bit
0x715F=2,Radeon X1550 64-bit
0x719F=2,Radeon X1550 64-bit
0x7167=2,Radeon X1550 64-bit Secondary
0x717F=2,Radeon X1550 64-bit Secondary
0x7143=2,Radeon X1550 Series
0x7193=2,Radeon X1550 Series
0x7163=2,Radeon X1550 Series Secondary
0x71B3=2,Radeon X1550 Series Secondary
0x71CE=3,Radeon X1600 Pro / Radeon X1300 XT
0x71EE=3,Radeon X1600 Pro / Radeon X1300 XT Secondary
0x7140=3,Radeon X1600 Series
0x71C0=3,Radeon X1600 Series
0x71C2=3,Radeon X1600 Series
0x71C6=3,Radeon X1600 Series
0x7181=3,Radeon X1600 Series
0x71CD=3,Radeon X1600 Series
0x7160=3,Radeon X1600 Series Secondary
0x71E2=3,Radeon X1600 Series Secondary
0x71E6=3,Radeon X1600 Series Secondary
0x71A1=3,Radeon X1600 Series Secondary
0x71ED=3,Radeon X1600 Series Secondary
0x71E0=3,Radeon X1600 Series Secondary
0x71C1=3,Radeon X1650 Series
0x7293=3,Radeon X1650 Series
0x7291=3,Radeon X1650 Series
0x71C7=3,Radeon X1650 Series
0x71E1=3,Radeon X1650 Series Secondary
0x72B3=3,Radeon X1650 Series Secondary
0x72B1=3,Radeon X1650 Series Secondary
0x71E7=3,Radeon X1650 Series Secondary
0x7100=4,Radeon X1800 Series
0x7108=4,Radeon X1800 Series
0x7109=4,Radeon X1800 Series
0x710A=4,Radeon X1800 Series
0x710B=4,Radeon X1800 Series
0x710C=4,Radeon X1800 Series
0x7120=4,Radeon X1800 Series Secondary
0x7128=4,Radeon X1800 Series Secondary
0x7129=4,Radeon X1800 Series Secondary
0x712A=4,Radeon X1800 Series Secondary
0x712B=4,Radeon X1800 Series Secondary
0x712C=4,Radeon X1800 Series Secondary
0x7243=5,Radeon X1900 Series
0x7245=5,Radeon X1900 Series
0x7246=5,Radeon X1900 Series
0x7247=5,Radeon X1900 Series
0x7249=5,Radeon X1900 Series
0x724A=5,Radeon X1900 Series
0x724B=5,Radeon X1900 Series
0x724C=5,Radeon X1900 Series
0x724D=5,Radeon X1900 Series
0x724F=5,Radeon X1900 Series
0x7263=5,Radeon X1900 Series Secondary
0x7265=5,Radeon X1900 Series Secondary
0x7266=5,Radeon X1900 Series Secondary
0x7267=5,Radeon X1900 Series Secondary
0x7269=5,Radeon X1900 Series Secondary
0x726A=5,Radeon X1900 Series Secondary
0x726B=5,Radeon X1900 Series Secondary
0x726C=5,Radeon X1900 Series Secondary
0x726D=5,Radeon X1900 Series Secondary
0x726F=5,Radeon X1900 Series Secondary
0x7280=5,Radeon X1950 Series
0x7240=5,Radeon X1950 Series
0x7244=5,Radeon X1950 Series
0x72A0=5,Radeon X1950 Series Secondary
0x7260=5,Radeon X1950 Series Secondary
0x7264=5,Radeon X1950 Series Secondary
0x5B60=1,Radeon X300/X550/X1050 Series
0x5B63=1,Radeon X300/X550/X1050 Series
0x5B73=1,Radeon X300/X550/X1050 Series Secondary
0x5B70=1,Radeon X300/X550/X1050 Series Secondary
0x5657=1,Radeon X550/X700 Series
0x5677=1,Radeon X550/X700 Series Secondary
0x5B62=1,Radeon X600 Series
0x5B72=1,Radeon X600 Series Secondary
0x3E50=1,Radeon X600/X550 Series
0x3E70=1,Radeon X600/X550 Series Secondary
0x5E4D=2,Radeon X700
0x5E4B=2,Radeon X700 PRO
0x5E6B=2,Radeon X700 PRO Secondary
0x5E4C=2,Radeon X700 SE
0x5E6C=2,Radeon X700 SE Secondary
0x5E6D=2,Radeon X700 Secondary
0x5E4A=2,Radeon X700 XT
0x5E6A=2,Radeon X700 XT Secondary
0x5E4F=2,Radeon X700/X550 Series
0x5E6F=2,Radeon X700/X550 Series Secondary
0x554B=3,Radeon X800 GT
0x556B=3,Radeon X800 GT Secondary
0x5549=3,Radeon X800 GTO
0x554F=3,Radeon X800 GTO
0x5D4F=3,Radeon X800 GTO
0x5569=3,Radeon X800 GTO Secondary
0x556F=3,Radeon X800 GTO Secondary
0x5D6F=3,Radeon X800 GTO Secondary
0x4A49=3,Radeon X800 PRO
0x4A69=3,Radeon X800 PRO Secondary
0x4A4F=3,Radeon X800 SE
0x4A6F=3,Radeon X800 SE Secondary
0x4A48=3,Radeon X800 Series
0x4A4A=3,Radeon X800 Series
0x4A4C=3,Radeon X800 Series
0x5548=3,Radeon X800 Series
0x4A68=3,Radeon X800 Series Secondary
0x4A6A=3,Radeon X800 Series Secondary
0x4A6C=3,Radeon X800 Series Secondary
0x5568=3,Radeon X800 Series Secondary
0x4A54=3,Radeon X800 VE
0x4A74=3,Radeon X800 VE Secondary
0x4A4B=3,Radeon X800 XT
0x5D57=3,Radeon X800 XT
0x4A50=3,Radeon X800 XT Platinum Edition
0x554A=3,Radeon X800 XT Platinum Edition
0x4A70=3,Radeon X800 XT Platinum Edition Secondary
0x556A=3,Radeon X800 XT Platinum Edition Secondary
0x4A6B=3,Radeon X800 XT Secondary
0x5D77=3,Radeon X800 XT Secondary
0x5D4D=3,Radeon X850 XT Platinum Edition
0x5D6D=3,Radeon X850 XT Platinum Edition Secondary

View File

@ -1,769 +0,0 @@
[/Script/UnrealEd.EditorPerProjectUserSettings]
bEnableOutputLogWordWrap=False
bEnableOutputLogClearOnPIE=False
AllowFlightCameraToRemapKeys=True
bSuppressFullyLoadPrompt=True
bAllowSelectTranslucent=True
bUpdateActorsInGridLevelsImmediately=False
bDisplayMemorySizeDataInLevelBrowser=False
bAutoReimportAnimSets=False
PropertyMatrix_NumberOfPasteOperationsBeforeWarning=20
bSCSEditorShowGrid=true
bKeepFbxNamespace=False
bShowImportDialogAtReimport=False
bKeepAttachHierarchy=true
bGetAttentionOnUATCompletion=True
HoverHighlightIntensity=0.000000
bDisplayUIExtensionPoints=False
bUseCurvesForDistributions=False
bAutoloadCheckedOutPackages=False
bAutomaticallyHotReloadNewClasses=True
bDisplayEngineVersionInBadge=False
[/Script/UnrealEd.FbxExportOption]
FbxExportCompatibility=FBX_2013
bASCII=false
bForceFrontXAxis=false
LevelOfDetail=True
bExportMorphTargets=True
Collision=True
VertexColor=true
MapSkeletalMotionToRoot=False
[/Script/EditorStyle.EditorStyleSettings]
bEnableUserEditorLayoutManagement=True
ColorVisionDeficiencyPreviewType=NormalVision
ColorVisionDeficiencySeverity=3
SelectionColor=(R=0.728f,G=0.364f,B=0.003f,A=1.000000)
PressedSelectionColor=(R=0.701f,G=0.225f,B=0.003f,A=1.000000)
InactiveSelectionColor=(R=0.25f,G=0.25f,B=0.25f,A=1.000000)
SelectorColor=(R=0.701f,G=0.225f,B=0.003f,A=1.000000)
LogBackgroundColor=(R=0.015996,G=0.015996,B=0.015996,A=1.000000)
LogSelectionBackgroundColor=(R=0.132868,G=0.132868,B=0.132868,A=1.000000)
LogNormalColor=(R=0.72,G=0.72,B=0.72,A=1.000000)
LogCommandColor=(R=0.033105,G=0.723055,B=0.033105,A=1.000000)
LogWarningColor=(R=0.921875,G=0.691406,B=0.000000,A=1.000000)
LogErrorColor=(R=1.000000,G=0.052083,B=0.060957,A=1.000000)
LogFontSize=9
bUseSmallToolBarIcons=False
bEnableWindowAnimations=False
bShowFriendlyNames=True
bExpandConfigurationMenus=False
bShowProjectMenus=True
bShowLaunchMenus=True
bShowAllAdvancedDetails=False
bShowHiddenPropertiesWhilePlaying=False
[/Script/Levels.LevelBrowserSettings]
bDisplayActorCount=True
bDisplayLightmassSize=False
bDisplayFileSize=False
bDisplayPaths=False
bDisplayEditorOffset=False
[/Script/SceneOutliner.SceneOutlinerSettings]
bHideTemporaryActors=False
bShowOnlyActorsInCurrentLevel=False
bShowOnlySelectedActors=False
[/Script/UnrealEd.ClassViewerSettings]
DisplayInternalClasses=False
DeveloperFolderType=CVDT_CurrentUser
[/Script/UnrealEd.SkeletalMeshEditorSettings]
AnimPreviewFloorColor=(B=6,G=24,R=43,A=255)
AnimPreviewSkyColor=(B=250,G=196,R=178,A=255)
AnimPreviewSkyBrightness=0.250000
AnimPreviewLightBrightness=1.000000
AnimPreviewLightingDirection=(Pitch=320.000000,Yaw=290.000000,Roll=0.000000)
AnimPreviewDirectionalColor=(B=253,G=253,R=253,A=255)
[/Script/UnrealEd.EditorExperimentalSettings]
bWorldBrowser=False
bBreakOnExceptions=False
bToolbarCustomization=False
bBehaviorTreeEditor=False
bEnableFindAndReplaceReferences=False
bExampleLayersAndBlends=True
[/Script/UnrealEd.EditorLoadingSavingSettings]
LoadLevelAtStartup=ProjectDefault
bAutoReimportTextures=False
bAutoReimportCSV=False
bDirtyMigratedBlueprints=False
bAutoSaveEnable=True
bAutoSaveMaps=True
bAutoSaveContent=True
AutoSaveTimeMinutes=10
AutoSaveInteractionDelayInSeconds=15
AutoSaveWarningInSeconds=10
AutoReimportDirectorySettings=(SourceDirectory="/Game/",MountPoint=,Wildcards=((Wildcard="Localization/*")))
bPromptForCheckoutOnAssetModification=True
bSCCAutoAddNewFiles=True
TextDiffToolPath=(FilePath="p4merge.exe")
[/Script/UnrealEd.LevelEditorMiscSettings]
bAutoApplyLightingEnable=true
bBSPAutoUpdate=True
bAutoMoveBSPPivotOffset=False
bNavigationAutoUpdate=True
bReplaceRespectsScale=True
bAllowBackgroundAudio=False
bEnableRealTimeAudio=False
EditorVolumeLevel=1.0
bEnableEditorSounds=True
DefaultLevelStreamingClass=Class'/Script/Engine.LevelStreamingKismet'
[/Script/UnrealEd.LevelEditorPlaySettings]
PlayFromHerePlayerStartClassName=/Script/Engine.PlayerStartPIE
EnableGameSound=true
NewWindowWidth=1280
NewWindowHeight=720
NewWindowPosition=(X=0,Y=0)
CenterNewWindow=True
StandaloneWindowWidth=1280
StandaloneWindowHeight=720
CenterStandaloneWindow=True
ShowMouseControlLabel=True
AutoRecompileBlueprints=True
ShouldMinimizeEditorOnVRPIE=True
bOnlyLoadVisibleLevelsInPIE=False
LastExecutedPlayModeLocation=PlayLocation_DefaultPlayerStart
LastExecutedPlayModeType=PlayMode_InViewPort
LastExecutedLaunchModeType=LaunchMode_OnDevice
LastExecutedLaunchPlatform=
LaptopScreenResolutions=(Description="Apple MacBook Air 11",Width=1366,Height=768,AspectRatio="16:9",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Apple MacBook Air 13\"",Width=1440,Height=900,AspectRatio="16:10",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Apple MacBook Pro 13\"",Width=1280,Height=800,AspectRatio="16:10",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Apple MacBook Pro 13\" (Retina)",Width=2560,Height=1600,AspectRatio="16:10",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Apple MacBook Pro 15\"",Width=1440,Height=900,AspectRatio="16:10",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Apple MacBook Pro 15\" (Retina)",Width=2880,Height=1800,AspectRatio="16:10",bCanSwapAspectRatio=true)
LaptopScreenResolutions=(Description="Generic 14-15.6\" Notebook",Width=1366,Height=768,AspectRatio="16:9",bCanSwapAspectRatio=true)
MonitorScreenResolutions=(Description="19\" monitor",Width=1440,Height=900,AspectRatio="16:10",bCanSwapAspectRatio=true)
MonitorScreenResolutions=(Description="20\" monitor",Width=1600,Height=900,AspectRatio="16:9",bCanSwapAspectRatio=true)
MonitorScreenResolutions=(Description="22\" monitor",Width=1680,Height=1050,AspectRatio="16:10",bCanSwapAspectRatio=true)
MonitorScreenResolutions=(Description="21.5-24\" monitor",Width=1920,Height=1080,AspectRatio="16:9",bCanSwapAspectRatio=true)
MonitorScreenResolutions=(Description="27\" monitor",Width=2560,Height=1440,AspectRatio="16:9",bCanSwapAspectRatio=true)
PhoneScreenResolutions=(Description="Apple iPhone 5S",Width=320,Height=568,AspectRatio="~16:9",bCanSwapAspectRatio=true,ProfileName="iPhone5S")
PhoneScreenResolutions=(Description="Apple iPhone 6",Width=375,Height=667,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone6")
PhoneScreenResolutions=(Description="Apple iPhone 6+",Width=414,Height=736,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone6Plus")
PhoneScreenResolutions=(Description="Apple iPhone 6S",Width=375,Height=667,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone6S")
PhoneScreenResolutions=(Description="Apple iPhone 6S+",Width=414,Height=736,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone6SPlus")
PhoneScreenResolutions=(Description="Apple iPhone 7",Width=375,Height=667,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone7")
PhoneScreenResolutions=(Description="Apple iPhone 7+",Width=414,Height=736,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone7Plus")
PhoneScreenResolutions=(Description="Apple iPhone 8",Width=375,Height=667,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone8")
PhoneScreenResolutions=(Description="Apple iPhone 8+",Width=414,Height=736,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhone8Plus")
PhoneScreenResolutions=(Description="Apple iPhone X",Width=375,Height=812,AspectRatio="19.5:9",bCanSwapAspectRatio=true,ProfileName="iPhoneX")
PhoneScreenResolutions=(Description="Apple iPhone XS",Width=375,Height=812,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhoneXS")
PhoneScreenResolutions=(Description="Apple iPhone XS Max",Width=414,Height=896,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhoneXSMax")
PhoneScreenResolutions=(Description="Apple iPhone XR",Width=414,Height=896,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="iPhoneXR")
PhoneScreenResolutions=(Description="HTC One",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_High")
PhoneScreenResolutions=(Description="Samsung Galaxy S4",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Low")
PhoneScreenResolutions=(Description="Samsung Galaxy S6",Width=1440,Height=2560,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mali_T7xx")
PhoneScreenResolutions=(Description="Samsung Galaxy S7",Width=1440,Height=2560,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_High")
PhoneScreenResolutions=(Description="Samsung Galaxy S8 (Mali)",Width=1080,Height=2220,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_Mali_G71")
PhoneScreenResolutions=(Description="Samsung Galaxy S8 (Adreno)",Width=1080,Height=2220,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_Adreno5xx")
PhoneScreenResolutions=(Description="Samsung Galaxy S9 (Mali)",Width=1440,Height=2960,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_High")
PhoneScreenResolutions=(Description="Samsung Galaxy S9 (Adreno)",Width=1440,Height=2960,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_High")
PhoneScreenResolutions=(Description="Samsung Galaxy Note 9 (Mali)",Width=1440,Height=2960,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_High")
PhoneScreenResolutions=(Description="Samsung Galaxy S10 (Adreno)",Width=1440,Height=3040,AspectRatio="19:9",bCanSwapAspectRatio=true,ProfileName="Android_Adreno6xx")
PhoneScreenResolutions=(Description="Samsung Galaxy S10 (Mali)",Width=1440,Height=3040,AspectRatio="19:9",bCanSwapAspectRatio=true,ProfileName="Android_Mali_G76")
PhoneScreenResolutions=(Description="Samsung Galaxy S10e (Adreno)",Width=1080,Height=2280,AspectRatio="19:9",bCanSwapAspectRatio=true,ProfileName="Android_Adreno6xx")
PhoneScreenResolutions=(Description="Samsung Galaxy S10e (Mali)",Width=1080,Height=2280,AspectRatio="19:9",bCanSwapAspectRatio=true,ProfileName="Android_Mali_G76")
PhoneScreenResolutions=(Description="Google Pixel",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Google Pixel XL",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Google Pixel 2",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Google Pixel 2 XL",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Google Pixel 3",Width=1080,Height=2160,AspectRatio="18:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Google Pixel 3 XL",Width=1440,Height=2960,AspectRatio="18.5:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
PhoneScreenResolutions=(Description="Razer Phone",Width=1080,Height=1920,AspectRatio="16:9",bCanSwapAspectRatio=true,ProfileName="Android_Mid")
TabletScreenResolutions=(Description="iPad Pro 12.9-inch (3rd gen.)",Width=1024,Height=1366,AspectRatio="~3:4",bCanSwapAspectRatio=true,ProfileName="iPadPro3_129")
TabletScreenResolutions=(Description="iPad Pro 12.9-inch (2nd gen.)",Width=1024,Height=1366,AspectRatio="~3:4",bCanSwapAspectRatio=true,ProfileName="iPadPro2_129")
TabletScreenResolutions=(Description="iPad Pro 11-inch",Width=834,Height=1194,AspectRatio="5:7",bCanSwapAspectRatio=true,ProfileName="iPadPro11")
TabletScreenResolutions=(Description="iPad Pro 10.5-inch",Width=834,Height=1112,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadPro105")
TabletScreenResolutions=(Description="iPad Pro 12.9-inch",Width=1024,Height=1366,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadPro129")
TabletScreenResolutions=(Description="iPad Pro 9.7-inch",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadPro97")
TabletScreenResolutions=(Description="iPad (6th gen.)",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPad6")
TabletScreenResolutions=(Description="iPad (5th gen.)",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPad5")
TabletScreenResolutions=(Description="iPad Air 3",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadAir3")
TabletScreenResolutions=(Description="iPad Air 2",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadAir2")
TabletScreenResolutions=(Description="iPad Mini 5",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadMini5")
TabletScreenResolutions=(Description="iPad Mini 4",Width=768,Height=1024,AspectRatio="3:4",bCanSwapAspectRatio=true,ProfileName="iPadMini4")
TabletScreenResolutions=(Description="LG G Pad X 8.0",Width=768,Height=1366,AspectRatio="9:16",bCanSwapAspectRatio=true)
TabletScreenResolutions=(Description="Asus Zenpad 3s 10",Width=768,Height=1366,AspectRatio="9:16",bCanSwapAspectRatio=true)
TabletScreenResolutions=(Description="Huawei MediaPad M3",Width=768,Height=1366,AspectRatio="9:16",bCanSwapAspectRatio=true)
TabletScreenResolutions=(Description="Microsoft Surface RT",Width=768,Height=1366,AspectRatio="9:16",bCanSwapAspectRatio=true)
TabletScreenResolutions=(Description="Microsoft Surface Pro",Width=1080,Height=1920,AspectRatio="9:16",bCanSwapAspectRatio=true)
TelevisionScreenResolutions=(Description="720p (HDTV, Blu-ray)",Width=1280,Height=720,AspectRatio="16:9",bCanSwapAspectRatio=true)
TelevisionScreenResolutions=(Description="1080i, 1080p (HDTV, Blu-ray)",Width=1920,Height=1080,AspectRatio="16:9",bCanSwapAspectRatio=true)
TelevisionScreenResolutions=(Description="4K Ultra HD",Width=3840,Height=2160,AspectRatio="16:9",bCanSwapAspectRatio=true)
TelevisionScreenResolutions=(Description="4K Digital Cinema",Width=4096,Height=2160,AspectRatio="1.90:1",bCanSwapAspectRatio=true)
[/Script/UnrealEd.LevelEditorViewportSettings]
FlightCameraControlType=WASD_RMBOnly
LandscapeEditorControlType=IgnoreCtrl
FoliageEditorControlType=IgnoreCtrl
bPanMovesCanvas=True
bCenterZoomAroundCursor=True
bAllowTranslateRotateZWidget=False
bClickBSPSelectsBrush=True
CameraSpeed=4
CameraSpeedScalar=1.0f
MouseScrollCameraSpeed=5
MouseSensitivty=.2f
bInvertMouseLookYAxis=False
bInvertOrbitYAxis=False
bInvertMiddleMousePan=False
bInvertRightMouseDollyYAxis=False
bUseAbsoluteTranslation=True
bLevelStreamingVolumePrevis=False
bUseUE3OrbitControls=False
bUseDistanceScaledCameraSpeed=False
bOrbitCameraAroundSelection=False
ScrollGestureDirectionFor3DViewports=UseSystemSetting
ScrollGestureDirectionForOrthoViewports=UseSystemSetting
bUsePowerOf2SnapSize=False
bLevelEditorJoystickControls=True
DecimalGridSizes=1
DecimalGridSizes=5
DecimalGridSizes=10
DecimalGridSizes=50
DecimalGridSizes=100
DecimalGridSizes=500
DecimalGridSizes=1000
DecimalGridSizes=5000
DecimalGridSizes=10000
DecimalGridIntervals=10.000000
DecimalGridIntervals=5.000000
DecimalGridIntervals=10.000000
DecimalGridIntervals=5.000000
DecimalGridIntervals=10.000000
DecimalGridIntervals=5.000000
DecimalGridIntervals=10.000000
DecimalGridIntervals=5.000000
DecimalGridIntervals=10.000000
Pow2GridSizes=1
Pow2GridSizes=2
Pow2GridSizes=4
Pow2GridSizes=8
Pow2GridSizes=16
Pow2GridSizes=32
Pow2GridSizes=64
Pow2GridSizes=128
Pow2GridSizes=256
Pow2GridSizes=512
Pow2GridSizes=1024
Pow2GridSizes=2048
Pow2GridSizes=4096
Pow2GridSizes=8192
Pow2GridIntervals=8
CommonRotGridSizes=5
CommonRotGridSizes=10
CommonRotGridSizes=15
CommonRotGridSizes=30
CommonRotGridSizes=45
CommonRotGridSizes=60
CommonRotGridSizes=90
CommonRotGridSizes=120
DivisionsOf360RotGridSizes=2.8125
DivisionsOf360RotGridSizes=5.625
DivisionsOf360RotGridSizes=11.25
DivisionsOf360RotGridSizes=22.5
ScalingGridSizes=10
ScalingGridSizes=1
ScalingGridSizes=0.5
ScalingGridSizes=0.25
ScalingGridSizes=0.125
ScalingGridSizes=0.0625
ScalingGridSizes=0.03125
GridEnabled=True
RotGridEnabled=True
SnapScaleEnabled=True
bSnapNewObjectsToFloor=True
bUsePercentageBasedScaling=False
bEnableActorSnap=False
ActorSnapScale=1.0
ActorSnapDistance=100.0
bSnapVertices=False
SnapDistance=10.000000
CurrentPosGridSize=2
CurrentRotGridSize=1
CurrentScalingGridSize=3
CurrentRotGridMode=GridMode_Common
AspectRatioAxisConstraint=AspectRatio_MaintainXFOV
bEnableViewportHoverFeedback=False
bHighlightWithBrackets=False
bUseLinkedOrthographicViewports=True
bStrictBoxSelection=False
bTransparentBoxSelection=False
bUseSelectionOutline=True
SelectionHighlightIntensity=0.0
BSPSelectionHighlightIntensity=0.2
bEnableViewportCameraToUpdateFromPIV=True
bPreviewSelectedCameras=True
CameraPreviewSize=5.0
BackgroundDropDistance=768
bSaveSimpleStats=False
[ColorPickerUI]
bAdvancedSectionExpanded=False
bSRGBEnabled=True
bWheelMode=True
[Undo]
UndoBufferSize=32
[PropertySettings]
ShowFriendlyPropertyNames=True
ExpandDistributions=false
[MRU]
[/Script/UnrealEd.MaterialEditorOptions]
bShowGrid=True
bShowBackground=False
bHideUnusedConnectors=False
bRealtimeMaterialViewport=True
bRealtimeExpressionViewport=False
bAlwaysRefreshAllPreviews=False
bLivePreviewUpdate=True
[UnEdViewport]
InterpEdPanInvert=False
[FEditorModeTools]
ShowWidget=True
CoordSystem=0
UseAbsoluteTranslation=True
AllowTranslateRotateZWidget=False
[LightingBuildOptions]
OnlyBuildSelectedActors=false
OnlyBuildCurrentLevel=false
OnlyBuildChanged=false
BuildBSP=true
BuildActors=true
QualityLevel=0
NumUnusedLocalCores=1
ShowLightingBuildInfo=false
[MatineeCreateMovieOptions]
CloseEditor=false
CaptureResolutionIndex=0;
CaptureResolutionFPS=30;
CaptureTypeIndex=0;
Compress=false
CinematicMode=true
DisableMovement=true
DisableTurning=true
HidePlayer=true
DisableInput=true
HideHUD=true
[Matinee]
Hide3DTracks=false
ZoomToScrubPos=false
ShowCurveEd=false
[/Script/UnrealEd.PhysicsAssetEditorOptions]
AngularSnap=15.0
LinearSnap=2.0
bDrawContacts=false
FloorGap=25.0
GravScale=1.0
bPromptOnBoneDelete=true
PokeStrength=100.0
bShowNamesInHierarchy=true
PokePauseTime=0.5
PokeBlendTime=0.5
ConstraintDrawSize=1.0
bShowConstraintsAsPoints=false
[/Script/UnrealEd.CurveEdOptions]
MinViewRange=0.01
MaxViewRange=1000000.0
BackgroundColor=(R=0.23529412,G=0.23529412,B=0.23529412,A=1.0)
LabelColor=(R=0.4,G=0.4,B=0.4,A=1.0)
SelectedLabelColor=(R=0.6,G=0.4,B=0.1, A=1.0)
GridColor=(R=0.35,G=0.35,B=0.35,A=1.0)
GridTextColor=(R=0.78431373,G=0.78431373,B=0.78431373,A=1.0)
LabelBlockBkgColor=(R=0.25,G=0.25,B=0.25,A=1.0)
SelectedKeyColor=(R=1.0,G=1.0,B=0.0,A=1.0)
[/Script/UnrealEd.PersonaOptions]
bShowGrid=False
bHighlightOrigin=True
bShowSky=True
bShowFloor=True
GridSize=25
ViewModeType=2
ViewportBackgroundColor=(R=0.04,G=0.04,B=0.04)
ViewFOV=53.43
ShowMeshStats=1
[UnrealEd.UIEditorOptions]
WindowPosition=(X=256,Y=256,Width=1024,Height=768)
ViewportSashPosition=824
PropertyWindowSashPosition=568
ViewportGutterSize=0
VirtualSizeX=0
VirtualSizeY=0
bRenderViewportOutline=true
bRenderContainerOutline=true
bRenderSelectionOutline=true
bRenderSelectionHandles=true
bRenderPerWidgetSelectionOutline=true
GridSize=8
bSnapToGrid=true
mViewDrawGrid=true
bShowDockHandles=true
[/Script/UnrealEd.CascadeOptions]
bShowModuleDump=false
BackgroundColor=(B=25,G=20,R=20,A=0)
bUseSubMenus=true
bUseSpaceBarReset=false
bUseSpaceBarResetInLevel=true
Empty_Background=(B=25,G=20,R=20,A=0)
Emitter_Background=(B=25,G=20,R=20,A=0)
Emitter_Unselected=(B=0,G=100,R=255,A=0)
Emitter_Selected=(B=180,G=180,R=180,A=0)
ModuleColor_General_Unselected=(B=49,G=40,R=40,A=0)
ModuleColor_General_Selected=(B=0,G=100,R=255,A=0)
ModuleColor_TypeData_Unselected=(B=20,G=20,R=15,A=0)
ModuleColor_TypeData_Selected=(B=0,G=100,R=255,A=0)
ModuleColor_Beam_Unselected=(R=160,G=150,B=235)
ModuleColor_Beam_Selected=(R=255,G=100,B=0)
ModuleColor_Trail_Unselected=(R=130,G=235,B=170)
ModuleColor_Trail_Selected=(R=255,G=100,B=0)
ModuleColor_Spawn_Unselected=(R=200,G=100,B=100)
ModuleColor_Spawn_Selected=(R=255,G=50,B=50)
ModuleColor_Light_Unselected=(B=49,G=40,R=90)
ModuleColor_Light_Selected=(B=0,G=100,R=255)
ModuleColor_SubUV_Unselected=(B=49,G=90,R=40)
ModuleColor_SubUV_Selected=(B=100,G=200,R=50)
ModuleColor_Required_Unselected=(R=200,G=200,B=100)
ModuleColor_Required_Selected=(R=255,G=225,B=50)
ModuleColor_Event_Unselected=(R=64,G=64,B=255)
ModuleColor_Event_Selected=(R=0,G=0,B=255)
bShowGrid=false
GridColor_Hi=(R=0,G=100,B=255)
GridColor_Low=(R=0,G=100,B=255)
GridPerspectiveSize=1024
ShowPPFlags=0
bUseSlimCascadeDraw=true
SlimCascadeDrawHeight=24
bCenterCascadeModuleText=true
Cascade_MouseMoveThreshold=4
MotionModeRadius=150.0
[ContentBrowserFilter]
FavoriteTypes_1=Animation Sequence;Material Instances (Constant);Materials;Particle Systems;Skeletal Meshes;Sound Cues;Static Meshes;Textures;Blueprint
[FAutoPackageBackup]
Enabled=True
MaxAllowedSpaceInMB=250
BackupIntervalInMinutes=5
[/Script/UnrealEd.FbxImportUI]
bOverrideFullName=True
bCreatePhysicsAsset=True
bAutoComputeLodDistances=True
LodDistance0=0.0
LodDistance1=0.0
LodDistance2=0.0
LodDistance3=0.0
LodDistance4=0.0
LodDistance5=0.0
LodDistance6=0.0
LodDistance7=0.0
MinimumLodNumber=0
LodNumber=0
bImportAnimations=False
bImportMaterials=True
bImportTextures=True
[/Script/UnrealEd.FbxAssetImportData]
ImportTranslation=(X=0.0,Y=0.0,Z=0.0)
ImportRotation=(Pitch=0.0,Yaw=0.0,Roll=0.0)
ImportUniformScale=1.0
bConvertScene=True
bForceFrontXAxis=False
bConvertSceneUnit=False
[/Script/UnrealEd.FbxMeshImportData]
bTransformVertexToAbsolute=True
bBakePivotInVertex=False
bReorderMaterialToFbxOrder=True
bImportMeshLODs=False
NormalImportMethod=FBXNIM_ComputeNormals
NormalGenerationMethod=EFBXNormalGenerationMethod::MikkTSpace
bComputeWeightedNormals=True
[/Script/UnrealEd.FbxStaticMeshImportData]
StaticMeshLODGroup=
VertexColorImportOption=EVertexColorImportOption::Ignore
VertexOverrideColor=(R=255,G=255,B=255,A=255)
bRemoveDegenerates=True
bBuildAdjacencyBuffer=True
bBuildReversedIndexBuffer=True
bGenerateLightmapUVs=True
bOneConvexHullPerUCX=True
bAutoGenerateCollision=True
bCombineMeshes=False
NormalImportMethod=FBXNIM_ImportNormals
[/Script/UnrealEd.FbxSkeletalMeshImportData]
VertexColorImportOption=EVertexColorImportOption::Replace
VertexOverrideColor=(R=0,G=0,B=0,A=0)
bUpdateSkeletonReferencePose=False
bUseT0AsRefPose=False
bPreserveSmoothingGroups=True
bImportMeshesInBoneHierarchy=True
bImportMorphTargets=False
ThresholdPosition=0.00002
ThresholdTangentNormal=0.00002
ThresholdUV=0.0009765625
MorphThresholdPosition=0.015
[/Script/UnrealEd.FbxAnimSequenceImportData]
bImportMeshesInBoneHierarchy=True
AnimationLength=FBXALIT_ExportedTime
FrameImportRange=(Min=0, Max=0)
bUseDefaultSampleRate=False
CustomSampleRate=0
bImportCustomAttribute=True
bDeleteExistingCustomAttributeCurves=False
bImportBoneTracks=True
bSetMaterialDriveParameterOnCustomAttribute=False
bRemoveRedundantKeys=True
bDeleteExistingMorphTargetCurves=False
bDoNotImportCurveWithZero=True
bPreserveLocalTransform=False
[/Script/UnrealEd.FbxTextureImportData]
bInvertNormalMaps=False
MaterialSearchLocation=EMaterialSearchLocation::Local
BaseMaterialName=
BaseColorName=
BaseDiffuseTextureName=
BaseNormalTextureName=
BaseEmissiveColorName=
BaseEmmisiveTextureName=
BaseSpecularTextureName=
BaseOpacityTextureName=
[SoundSettings]
ChirpSoundClasses=Dialog DialogMedium DialogLoud DialogDeafening
BatchProcessMatureNodeSoundClasses=Dialog Chatter
[EditorPreviewMesh]
PreviewMeshNames=/Engine/EditorMeshes/ColorCalibrator/SM_ColorCalibrator.SM_ColorCalibrator
[EditorLayout]
SlateMainFrameLayout=
[LandscapeEdit]
ToolStrength=0.300000
WeightTargetValue=1.000000
bUseWeightTargetValue=False
BrushRadius=2048.000000
BrushComponentSize=1
BrushFalloff=0.500000
bUseClayBrush=False
AlphaBrushScale=0.500000
AlphaBrushRotation=0.000000
AlphaBrushPanU=0.500000
AlphaBrushPanV=0.500000
AlphaTextureName=/Engine/EditorLandscapeResources/DefaultAlphaTexture.DefaultAlphaTexture
AlphaTextureChannel=0
FlattenMode=0
bUseSlopeFlatten=False
bPickValuePerApply=False
ErodeThresh=64
ErodeIterationNum=28
ErodeSurfaceThickness=256
ErosionNoiseMode=2
ErosionNoiseScale=60.000000
RainAmount=128
SedimentCapacity=0.300000
HErodeIterationNum=28
RainDistMode=0
RainDistScale=60.000000
HErosionDetailScale=0.010000
bHErosionDetailSmooth=True
NoiseMode=0
NoiseScale=128.000000
SmoothFilterKernelScale=1.000000
DetailScale=0.300000
bDetailSmooth=False
MaximumValueRadius=10000.000000
bSmoothGizmoBrush=True
PasteMode=0
ConvertMode=0
bApplyToAllTargets=True
[FoliageEdit]
Radius=512.000000
PaintDensity=0.500000
UnpaintDensity=0.000000
bFilterLandscape=True
bFilterStaticMesh=True
bFilterBSP=True
bFilterTranslucent=False
[MeshPaintEdit]
DefaultBrushRadius=128
[BlueprintSpawnNodes]
Node=(Class=Actor:ReceiveBeginPlay Key=P Shift=false Ctrl=false Alt=false)
Node=(Class="Do N" Key=N Shift=false Ctrl=false Alt=false)
Node=(Class=KismetSystemLibrary:Delay Key=D Shift=false Ctrl=false Alt=false)
Node=(Class=K2Node_IfThenElse Key=B Shift=false Ctrl=false Alt=false)
Node=(Class=K2Node_ExecutionSequence Key=S Shift=false Ctrl=false Alt=false)
Node=(Class=Gate Key=G Shift=false Ctrl=false Alt=false)
Node=(Class=K2Node_MultiGate Key=M Shift=false Ctrl=false Alt=false)
Node=(Class=ForEachLoop Key=F Shift=false Ctrl=false Alt=false)
Node=(Class=DoOnce Key=O Shift=false Ctrl=false Alt=false)
Node=(Class=KismetArrayLibrary:Array_Get Key=A Shift=false Ctrl=false Alt=false)
[DefaultEventNodes]
Node=(TargetClass=Actor TargetEvent="ReceiveBeginPlay")
Node=(TargetClass=Actor TargetEvent="ReceiveActorBeginOverlap")
Node=(TargetClass=Actor TargetEvent="ReceiveTick")
Node=(TargetClass=ActorComponent TargetEvent="ReceiveBeginPlay")
Node=(TargetClass=ActorComponent TargetEvent="ReceiveTick")
Node=(TargetClass=GameplayAbility TargetEvent="K2_ActivateAbility")
Node=(TargetClass=GameplayAbility TargetEvent="K2_OnEndAbility")
Node=(TargetClass=UserWidget TargetEvent="PreConstruct")
Node=(TargetClass=UserWidget TargetEvent="Construct")
Node=(TargetClass=UserWidget TargetEvent="Tick")
Node=(TargetClass=AnimInstance TargetEvent="BlueprintUpdateAnimation")
Node=(TargetClass=FunctionalTest TargetEvent="ReceivePrepareTest")
Node=(TargetClass=FunctionalTest TargetEvent="ReceiveStartTest")
Node=(TargetClass=FunctionalTest TargetEvent="ReceiveTick")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnPreTick")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnTick")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnStartCapture")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnCaptureFrame")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnBeginFinalize")
Node=(TargetClass=UserDefinedCaptureProtocol TargetEvent="OnFinalize")
[MaterialEditorSpawnNodes]
Node=(Class=MaterialExpressionAdd Key=A Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionBumpOffset Key=B Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionDivide Key=D Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionPower Key=E Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionMaterialFunctionCall Key=F Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionIf Key=I Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionLinearInterpolate Key=L Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionMultiply Key=M Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionNormalize Key=N Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionOneMinus Key=O Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionPanner Key=P Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionReflectionVectorWS Key=R Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionScalarParameter Key=S Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionTextureSample Key=T Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionTextureCoordinate Key=U Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionVectorParameter Key=V Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionConstant Key=One Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionConstant2Vector Key=Two Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionConstant3Vector Key=Three Shift=false Ctrl=false Alt=false)
Node=(Class=MaterialExpressionConstant4Vector Key=Four Shift=false Ctrl=false Alt=false)
[WidgetTemplatesExpanded]
Common=True
[DetailCustomWidgetExpansion]
LandscapeEditorObject=LandscapeEditorObject.Target Layers.TargetLayers
[LevelSequenceEditor SequencerSettings]
bKeyInterpPropertiesOnly=true
bShowRangeSlider=true
bKeepPlayRangeInSectionBounds=false
ZeroPadFrames=4
bInfiniteKeyAreas=true
bAutoSetTrackDefaults=true
FrameNumberDisplayFormat=Frames
[TemplateSequenceEditor SequencerSettings]
bKeyInterpPropertiesOnly=true
bShowRangeSlider=true
bKeepPlayRangeInSectionBounds=false
ZeroPadFrames=4
bInfiniteKeyAreas=true
bAutoSetTrackDefaults=true
FrameNumberDisplayFormat=Frames
[TakeRecorderSequenceEditor SequencerSettings]
bKeyInterpPropertiesOnly=true
bShowRangeSlider=true
bKeepPlayRangeInSectionBounds=false
ZeroPadFrames=4
bInfiniteKeyAreas=true
bAutoSetTrackDefaults=true
FrameNumberDisplayFormat=NonDropFrameTimecode
bAutoScrollEnabled=true
[EmbeddedActorSequenceEditor SequencerSettings]
bKeyInterpPropertiesOnly=true
bShowRangeSlider=true
bKeepPlayRangeInSectionBounds=false
ZeroPadFrames=4
bInfiniteKeyAreas=true
bAutoSetTrackDefaults=true
bCompileDirectorOnEvaluate=false
[NiagaraSequenceEditor SequencerSettings]
bAutoScrollEnabled=true
bKeepPlayRangeInSectionBounds=false
bKeepCursorInPlayRange=false
bShowRangeSlider=true
LoopMode=SLM_Loop
bCleanPlaybackMode=false
[/Script/LevelSequenceEditor.LevelSequenceEditorSettings]
TrackSettings=(MatchingActorClass=/Script/Engine.StaticMeshActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack))
TrackSettings=(MatchingActorClass=/Script/Engine.SkeletalMeshActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack,/Script/MovieSceneTracks.MovieSceneSkeletalAnimationTrack))
TrackSettings=(MatchingActorClass=/Script/Engine.CameraActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack),DefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="FieldOfView")))
TrackSettings=(MatchingActorClass=/Script/CinematicCamera.CineCameraActor,DefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="CurrentFocalLength"),(ComponentPath="CameraComponent",PropertyPath="FocusSettings.ManualFocusDistance"),(ComponentPath="CameraComponent",PropertyPath="CurrentAperture")),ExcludeDefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="FieldOfView")))
TrackSettings=(MatchingActorClass=/Script/Engine.Light,DefaultTracks=(None),DefaultPropertyTracks=((ComponentPath="LightComponent0",PropertyPath="Intensity"),(ComponentPath="LightComponent0",PropertyPath="LightColor")))
[/Script/LevelSequenceEditor.TakeRecorderEditorSettings]
TrackSettings=(MatchingActorClass=/Script/Engine.StaticMeshActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack))
TrackSettings=(MatchingActorClass=/Script/Engine.SkeletalMeshActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack,/Script/MovieSceneTracks.MovieSceneSkeletalAnimationTrack))
TrackSettings=(MatchingActorClass=/Script/Engine.CameraActor,DefaultTracks=(/Script/MovieSceneTracks.MovieScene3DTransformTrack),DefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="FieldOfView")))
TrackSettings=(MatchingActorClass=/Script/CinematicCamera.CineCameraActor,DefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="CurrentFocalLength"),(ComponentPath="CameraComponent",PropertyPath="FocusSettings.ManualFocusDistance"),(ComponentPath="CameraComponent",PropertyPath="CurrentAperture")),ExcludeDefaultPropertyTracks=((ComponentPath="CameraComponent",PropertyPath="FieldOfView")))
TrackSettings=(MatchingActorClass=/Script/Engine.Light,DefaultTracks=(None),DefaultPropertyTracks=((ComponentPath="LightComponent0",PropertyPath="Intensity"),(ComponentPath="LightComponent0",PropertyPath="LightColor")))
[/Script/MovieSceneTools.MovieSceneToolsProjectSettings]
FbxSettings=(FbxPropertyName="FieldOfView", PropertyPath=(ComponentName="CameraComponent",PropertyName="FieldOfView"))
FbxSettings=(FbxPropertyName="FocalLength", PropertyPath=(ComponentName="CameraComponent",PropertyName="CurrentFocalLength"))
FbxSettings=(FbxPropertyName="FocusDistance", PropertyPath=(ComponentName="CameraComponent",PropertyName="FocusSettings.ManualFocusDistance"))
[/Script/SpeedTreeImporter.SpeedTreeImportData]
TreeScale=30.48
ImportGeometryType=IGT_3D
LODType=ILT_PaintedFoliage
IncludeCollision=false
MakeMaterialsCheck=false
IncludeNormalMapCheck=false
IncludeDetailMapCheck=false
IncludeSpecularMapCheck=false
IncludeBranchSeamSmoothing=false
IncludeSpeedTreeAO=false
IncludeColorAdjustment=false
IncludeVertexProcessingCheck=false
IncludeWindCheck=false
IncludeSmoothLODCheck=false
[/Script/MeshPaint.MeshPaintSettings]
VertexPreviewSize=6
[/Script/UndoHistory.UndoHistorySettings]
bShowTransactionDetails=false
[/Script/WindowsMixedRealityRuntimeSettings.WindowsMixedRealityRuntimeSettings]
RemoteHoloLensIP=
MaxBitrate=4000

View File

@ -1,177 +0,0 @@
[Internationalization]
LocalizationPaths=%GAMEDIR%Content/Localization/Game
[DefaultPlayer]
Name=Player
[/Script/Engine.GameNetworkManager]
TotalNetBandwidth=32000
MaxDynamicBandwidth=7000
MinDynamicBandwidth=4000
MoveRepSize=42.0f
MAXPOSITIONERRORSQUARED=3.0f
MAXNEARZEROVELOCITYSQUARED=9.0f
CLIENTADJUSTUPDATECOST=180.0f
MAXCLIENTUPDATEINTERVAL=0.25f
MaxClientForcedUpdateDuration=1.0f
ServerForcedUpdateHitchThreshold=0.150f
ServerForcedUpdateHitchCooldown=0.100f
MaxMoveDeltaTime=0.125f
MaxClientSmoothingDeltaTime=0.50f
ClientNetSendMoveDeltaTime=0.0166
ClientNetSendMoveDeltaTimeThrottled=0.0222
ClientNetSendMoveDeltaTimeStationary=0.0166
ClientNetSendMoveThrottleAtNetSpeed=10000
ClientNetSendMoveThrottleOverPlayerCount=10
ClientAuthorativePosition=false
ClientErrorUpdateRateLimit=0.0f
bMovementTimeDiscrepancyDetection=false
bMovementTimeDiscrepancyResolution=false
MovementTimeDiscrepancyMaxTimeMargin=0.25f
MovementTimeDiscrepancyMinTimeMargin=-0.25f
MovementTimeDiscrepancyResolutionRate=1.0f
MovementTimeDiscrepancyDriftAllowance=0.0f
bMovementTimeDiscrepancyForceCorrectionsDuringResolution=false
bUseDistanceBasedRelevancy=true
[/Script/Party.Party]
DefaultMaxPartySize=5
[/Script/Lobby.LobbyBeaconState]
WaitForPlayersTimeRemaining=20.0
[/Script/Engine.GameSession]
MaxPlayers=16
MaxSpectators=2
MaxSplitscreensPerConnection=4
bRequiresPushToTalk=true
[/Script/EngineSettings.GeneralProjectSettings]
CompanyName=
CompanyDistinguishedName=
CopyrightNotice=Fill out your copyright notice in the Description page of Project Settings.
Description=
LicensingTerms=
PrivacyPolicy=
ProjectName=
ProjectVersion=1.0.0.0
Homepage=
SupportContact=
MinWindowWidth=16
MinWindowHeight=16
[/Script/UnrealEd.ProjectPackagingSettings]
BuildConfiguration=PPBC_Development
FullRebuild=False
UsePakFile=True
bGenerateChunks=False
bChunkHardReferencesOnly=False
IncludePrerequisites=True
IncludeCrashReporter=False
InternationalizationPreset=English
CulturesToStage=en
DefaultCulture=en
bSkipEditorContent=false
bSharedMaterialNativeLibraries=True
bShareMaterialShaderCode=True
bSkipMovies=False
bPakUsesSecondaryOrder=True
EarlyDownloaderPakFileFiles=...\Content\Internationalization\...\*.icu
EarlyDownloaderPakFileFiles=...\Content\Internationalization\...\*.brk
EarlyDownloaderPakFileFiles=...\Content\Internationalization\...\*.res
EarlyDownloaderPakFileFiles=...\Content\Internationalization\...\*.nrm
EarlyDownloaderPakFileFiles=...\Content\Internationalization\...\*.cfu
EarlyDownloaderPakFileFiles=...\Content\Localization\...\*.*
EarlyDownloaderPakFileFiles=...\Content\Localization\*.*
EarlyDownloaderPakFileFiles=...\Content\Certificates\...\*.*
EarlyDownloaderPakFileFiles=...\Content\Certificates\*.*
EarlyDownloaderPakFileFiles=-...\Content\Localization\Game\...\*.*
EarlyDownloaderPakFileFiles=-...\Content\Localization\Game\*.*
EarlyDownloaderPakFileFiles=...\Config\...\*.ini
EarlyDownloaderPakFileFiles=...\Config\*.ini
EarlyDownloaderPakFileFiles=...\Engine\GlobalShaderCache*.bin
EarlyDownloaderPakFileFiles=...\Content\ShaderArchive-Global*.ushaderbytecode
EarlyDownloaderPakFileFiles=...\Content\Slate\*.*
EarlyDownloaderPakFileFiles=...\Content\Slate\...\*.*
EarlyDownloaderPakFileFiles=...\*.upluginmanifest
EarlyDownloaderPakFileFiles=...\*.uproject
EarlyDownloaderPakFileFiles=...\global_sf*.metalmap
IniKeyBlacklist=KeyStorePassword
IniKeyBlacklist=KeyPassword
IniKeyBlacklist=rsa.privateexp
IniKeyBlacklist=rsa.modulus
IniKeyBlacklist=rsa.publicexp
IniKeyBlacklist=aes.key
IniKeyBlacklist=SigningPublicExponent
IniKeyBlacklist=SigningModulus
IniKeyBlacklist=SigningPrivateExponent
IniKeyBlacklist=EncryptionKey
IniKeyBlacklist=IniKeyBlacklist
IniKeyBlacklist=IniSectionBlacklist
[/Script/Engine.HUD]
DebugDisplay=AI
[/Script/Engine.PlayerController]
InputYawScale=2.5
InputPitchScale=-2.5
InputRollScale=1.0
ForceFeedbackScale=1.0
[/Script/Engine.DebugCameraController]
bShowSelectedInfo=true
[/Script/Engine.WorldSettings]
ChanceOfPhysicsChunkOverride=1.0
bEnableChanceOfPhysicsChunkOverride=false
DefaultAmbientZoneSettings=(bIsWorldSettings=true)
EnabledPlugins=ExampleDeviceProfileSelector
MinUndilatedFrameTime=0.0005 ; 2000 fps
MaxUndilatedFrameTime=0.4 ; 2.5 fps
MinGlobalTimeDilation=0.0001
MaxGlobalTimeDilation=20.0
[/Script/AIModule.AIPerceptionComponent]
HearingRange=768
SightRadius=3000
LoseSightRadius=3500
LoSHearingRange=1500
PeripheralVisionAngle=90
[/Script/AIModule.AISense_Hearing]
SpeedOfSoundSq=0
[/Script/AIModule.AISenseConfig_Hearing]
Implementation=Class'/Script/AIModule.AISense_Hearing'
HearingRange=768
LoSHearingRange=1500
DetectionByAffiliation=(bDetectEnemies=true)
[/Script/AIModule.AISenseConfig_Sight]
Implementation=Class'/Script/AIModule.AISense_Sight'
SightRadius=3000
LoseSightRadius=3500
PeripheralVisionAngleDegrees=90
DetectionByAffiliation=(bDetectEnemies=true)
AutoSuccessRangeFromLastSeenLocation=-1.f
[/Script/AIModule.AISenseConfig_Damage]
Implementation=Class'/Script/AIModule.AISense_Damage'
[/Script/AIModule.EnvQueryManager]
MaxAllowedTestingTime=0.01
bTestQueriesUsingBreadth=true
QueryCountWarningThreshold=0
QueryCountWarningInterval=30.0
[/Script/LiveLink.LiveLinkSettings]
FrameInterpolationProcessor=Class'/Script/LiveLink.LiveLinkBasicFrameInterpolationProcessor'
DefaultRoleSettings=(Role=Class'/Script/LiveLink.LiveLinkAnimationRole', FrameInterpolationProcessor=Class'/Script/LiveLink.LiveLinkAnimationFrameInterpolationProcessor')
[/Script/Engine.AssetManagerSettings]
PrimaryAssetTypesToScan=(PrimaryAssetType="Map",AssetBaseClass=/Script/Engine.World,bHasBlueprintClasses=False,bIsEditorOnly=True,Directories=((Path="/Game/Maps")))
PrimaryAssetTypesToScan=(PrimaryAssetType="PrimaryAssetLabel",AssetBaseClass=/Script/Engine.PrimaryAssetLabel,bHasBlueprintClasses=False,bIsEditorOnly=True,Directories=((Path="/Game")))
[Staging]
RemapDirectories=(From="Engine/Plugins/Lumin", To="Engine/Plugins/MagicLeap")

View File

@ -1,3 +0,0 @@
[Internationalization]
ShouldUseLocalizedNumericInput=True

View File

@ -1,18 +0,0 @@
[GPU_NVIDIA]
SuggestedDriverVersion=441.20
Blacklist=(DriverVersion="<=347.09", Reason="Crashes with Paragon content using more recent GPU features")
Blacklist=(DriverVersion="==372.70", Reason="This driver version has many known stability issues")
Blacklist=(DriverVersion="==388.31", Reason="This driver version has known stability issues")
Blacklist=(DriverVersion="==388.43", Reason="This driver version has known stability issues")
Blacklist=(DriverVersion="==388.71", Reason="This driver version has known stability issues")
[GPU_AMD]
SuggestedDriverVersion=19.11.1
SuggestedDriverVersion=19.20.1;D3D12
Blacklist=(DriverVersion="==15.300.1025.1001", Reason="Crashes with Paragon content using more recent GPU features")
Blacklist=(DriverVersion="<=22.19.662.4", Reason="Older drivers known to cause crashes with integrated laptop graphics on at least R5 and R6")
Blacklist=(DriverVersion="<=26.20.13031.15006", Reason="Driver crashes creating PSOs", RHI="D3D12")
[GPU_Intel]
SuggestedDriverVersion=

View File

@ -1,229 +0,0 @@
[/Script/Engine.InputSettings]
bEnableMouseSmoothing=true
bEnableFOVScaling=true
FOVScale=0.01111
DoubleClickTime=0.2f
DefaultTouchInterface=/Engine/MobileResources/HUD/DefaultVirtualJoysticks.DefaultVirtualJoysticks
bAlwaysShowTouchInterface=false
bShowConsoleOnFourFingerTap=true
bAltEnterTogglesFullscreen=true
bF11TogglesFullscreen=true
bRequireCtrlToNavigateAutoComplete=False
bEnableGestureRecognizer=false
ConsoleKeys=Tilde
TriggerKeyIsConsideredPressed=0.75
TriggerKeyIsConsideredReleased=0.25
InitialButtonRepeatDelay=0.2
ButtonRepeatDelay=0.1
AxisConfig=(AxisKeyName="Gamepad_LeftX",AxisProperties=(DeadZone=0.25,Exponent=1.f,Sensitivity=1.f))
AxisConfig=(AxisKeyName="Gamepad_LeftY",AxisProperties=(DeadZone=0.25,Exponent=1.f,Sensitivity=1.f))
AxisConfig=(AxisKeyName="Gamepad_RightX",AxisProperties=(DeadZone=0.25,Exponent=1.f,Sensitivity=1.f))
AxisConfig=(AxisKeyName="Gamepad_RightY",AxisProperties=(DeadZone=0.25,Exponent=1.f,Sensitivity=1.f))
AxisConfig=(AxisKeyName="MouseX",AxisProperties=(DeadZone=0.f,Exponent=1.f,Sensitivity=0.07f))
AxisConfig=(AxisKeyName="MouseY",AxisProperties=(DeadZone=0.f,Exponent=1.f,Sensitivity=0.07f))
[/Script/Engine.PlayerInput]
DebugExecBindings=(Key=F11,Command="LevelEditor.ToggleImmersive", bIgnoreCtrl=True, bIgnoreAlt=True)
DebugExecBindings=(Key=F11,Command="MainFrame.ToggleFullscreen",Shift=True)
DebugExecBindings=(Key=F1,Command="viewmode wireframe", bIgnoreShift=True)
DebugExecBindings=(Key=F2,Command="viewmode unlit")
DebugExecBindings=(Key=F3,Command="viewmode lit")
DebugExecBindings=(Key=F4,Command="viewmode lit_detaillighting")
DebugExecBindings=(Key=F5,Command="viewmode shadercomplexity")
DebugExecBindings=(Key=F9,Command="shot showui")
DebugExecBindings=(Key=Period,Command="RECOMPILESHADERS CHANGED",Control=True,Shift=True)
DebugExecBindings=(Key=Comma,Command="PROFILEGPU",Control=True,Shift=True)
DebugExecBindings=(Key=Tab,Command="FocusNextPIEWindow",Control=True)
DebugExecBindings=(Key=Tab,Command="FocusLastPIEWindow",Control=True,Shift=True)
DebugExecBindings=(Key=PageDown,Command="PreviousDebugTarget")
DebugExecBindings=(Key=PageUp,Command="NextDebugTarget")
DebugExecBindings=(Key=Apostrophe,Command="EnableGDT")
DebugExecBindings=(Key=Quote,Command="EnableGDT")
DebugExecBindings=(Key=Semicolon,Command="ToggleDebugCamera")
[/Script/Engine.Console]
HistoryBot=-1
[/Script/EngineSettings.ConsoleSettings]
MaxScrollbackSize=1024
AutoCompleteMapPaths=Content/Maps
ManualAutoCompleteList=(Command="Exit",Desc="Exits the game")
ManualAutoCompleteList=(Command="DebugCreatePlayer 1",Desc=)
ManualAutoCompleteList=(Command="ToggleDrawEvents",Desc="Toggles annotations for shader debugging with Pix, Razor or similar GPU capture tools")
ManualAutoCompleteList=(Command="Shot",Desc="Make a screenshot")
ManualAutoCompleteList=(Command="RecompileShaders changed",Desc="Recompile shaders that have any changes on their source files")
ManualAutoCompleteList=(Command="RecompileShaders global",Desc="Recompile global shaders that have any changes on their source files")
ManualAutoCompleteList=(Command="RecompileShaders material ",Desc="Recompile shaders for a specific material if it's source files have changed")
ManualAutoCompleteList=(Command="RecompileShaders all",Desc="Recompile all shaders that have any changes on their source files")
ManualAutoCompleteList=(Command="DumpMaterialStats",Desc="Dump material information")
ManualAutoCompleteList=(Command="DumpShaderStats",Desc="Dump shader information")
ManualAutoCompleteList=(Command="DumpShaderPipelineStats",Desc="Dump shader pipeline information")
ManualAutoCompleteList=(Command="StartFPSChart",Desc="after that use StopFPSChart")
ManualAutoCompleteList=(Command="StopFPSChart",Desc="after that look for the output in Saved/Profiling/FPSChartStats")
ManualAutoCompleteList=(Command="FreezeAt",Desc="Locks the player view and rendering time.")
ManualAutoCompleteList=(Command="Open",Desc="<MapName> Opens the specified map, doesn't pass previously set options")
ManualAutoCompleteList=(Command="Travel",Desc="<MapName> Travels to the specified map, passes along previously set options")
ManualAutoCompleteList=(Command="ServerTravel",Desc="<MapName> Travels to the specified map and brings clients along, passes along previously set options")
ManualAutoCompleteList=(Command="DisplayAll",Desc="<ClassName> <PropertyName> Display property values for instances of classname")
ManualAutoCompleteList=(Command="DisplayAllLocation",Desc="<ClassName> Display location for all instances of classname")
ManualAutoCompleteList=(Command="DisplayAllRotation",Desc="<ClassName> Display rotation for all instances of classname")
ManualAutoCompleteList=(Command="DisplayClear",Desc="Clears previous DisplayAll entries")
ManualAutoCompleteList=(Command="FlushPersistentDebugLines",Desc="Clears persistent debug line cache")
ManualAutoCompleteList=(Command="GetAll ",Desc="<ClassName> <PropertyName> <Name=ObjectInstanceName> <OUTER=ObjectInstanceName> <SHOWDEFAULTS> <SHOWPENDINGKILLS> <DETAILED> Log property values of all instances of classname")
ManualAutoCompleteList=(Command="GetAllLocation",Desc="<ClassName> Log location names for all instances of classname")
ManualAutoCompleteList=(Command="Obj List ",Desc="<Class=ClassName> <Type=MetaClass> <Outer=OuterObject> <Package=InsidePackage> <Inside=InsideObject>")
ManualAutoCompleteList=(Command="Obj ListContentRefs",Desc="<Class=ClassName> <ListClass=ClassName>")
ManualAutoCompleteList=(Command="Obj Classes",Desc="Shows all classes")
ManualAutoCompleteList=(Command="Obj Refs",Desc="Name=<ObjectName> Class=<OptionalObjectClass> Lists referencers of the specified object")
ManualAutoCompleteList=(Command="EditActor",Desc="<Class=ClassName> or <Name=ObjectName> or TRACE")
ManualAutoCompleteList=(Command="EditDefault",Desc="<Class=ClassName>")
ManualAutoCompleteList=(Command="EditObject",Desc="<Class=ClassName> or <Name=ObjectName> or <ObjectName>")
ManualAutoCompleteList=(Command="ReloadCfg ",Desc="<Class/ObjectName> Reloads config variables for the specified object/class")
ManualAutoCompleteList=(Command="ReloadLoc ",Desc="<Class/ObjectName> Reloads localized variables for the specified object/class")
ManualAutoCompleteList=(Command="Set ",Desc="<ClassName> <PropertyName> <Value> Sets property to value on objectname")
ManualAutoCompleteList=(Command="SetNoPEC",Desc="<ClassName> <PropertyName> <Value> Sets property to value on objectname without Pre/Post Edit Change notifications")
ManualAutoCompleteList=(Command="Stat FPS",Desc="Shows FPS counter")
ManualAutoCompleteList=(Command="Stat UNIT",Desc="Shows hardware unit framerate")
ManualAutoCompleteList=(Command="Stat UnitGraph",Desc="Draws simple unit time graph")
ManualAutoCompleteList=(Command="Stat NamedEvents",Desc="Stat NamedEvents (Enables named events for external profilers)")
ManualAutoCompleteList=(Command="Stat StartFile",Desc="Stat StartFile (starts a stats capture, creating a new file in the Profiling directory; stop with stat StopFile to close the file)")
ManualAutoCompleteList=(Command="Stat StopFile",Desc="Stat StopFile (finishes a stats capture started by stat StartFile)")
ManualAutoCompleteList=(Command="Stat CPULoad",Desc="Stat CPULoad (Shows CPU Utilization)")
ManualAutoCompleteList=(Command="Stat DUMPHITCHES",Desc="executes dumpstats on hitches - see log")
ManualAutoCompleteList=(Command="Stat D3D11RHI",Desc="Shows Direct3D 11 stats")
ManualAutoCompleteList=(Command="Stat LEVELS",Desc="Displays level streaming info")
ManualAutoCompleteList=(Command="Stat GAME",Desc="Displays game performance stats")
ManualAutoCompleteList=(Command="Stat MEMORY",Desc="Displays memory stats")
ManualAutoCompleteList=(Command="Stat PHYSICS",Desc="Displays physics performance stats")
ManualAutoCompleteList=(Command="Stat STREAMING",Desc="Displays basic texture streaming stats")
ManualAutoCompleteList=(Command="Stat STREAMINGDETAILS",Desc="Displays detailed texture streaming stats")
ManualAutoCompleteList=(Command="Stat GPU",Desc="Displays GPU stats for the frame")
ManualAutoCompleteList=(Command="Stat COLLISION",Desc=)
ManualAutoCompleteList=(Command="Stat PARTICLES",Desc=)
ManualAutoCompleteList=(Command="Stat SCRIPT",Desc=)
ManualAutoCompleteList=(Command="Stat AUDIO",Desc=)
ManualAutoCompleteList=(Command="Stat ANIM",Desc=)
ManualAutoCompleteList=(Command="Stat NET",Desc=)
ManualAutoCompleteList=(Command="Stat LIST",Desc="<Groups/Sets/Group> List groups of stats, saved sets, or specific stats within a specified group")
ManualAutoCompleteList=(Command="Stat splitscreen",Desc=)
ManualAutoCompleteList=(Command="MemReport",Desc="Outputs memory stats to a profile file. -Full gives more data, -Log outputs to the log")
ManualAutoCompleteList=(Command="ListTextures",Desc="[Streaming|NonStreaming|Forced] [-Alphasort] [-csv] Lists all loaded textures and their current memory footprint")
ManualAutoCompleteList=(Command="ListStreamingTextures",Desc="Lists info for all streaming textures")
ManualAutoCompleteList=(Command="ListAnims",Desc="Lists info for all animations")
ManualAutoCompleteList=(Command="ListSkeletalMeshes",Desc="Lists info for all skeletal meshes")
ManualAutoCompleteList=(Command="ListStaticMeshes",Desc="Lists info for all static meshes")
ManualAutoCompleteList=(Command="InvestigateTexture",Desc="Shows streaming info about the specified texture")
ManualAutoCompleteList=(Command="DumpTextureStreamingStats",Desc="Dump current streaming stats (e.g. pool capacity) to the log")
ManualAutoCompleteList=(Command="RestartLevel",Desc="Restarts the level")
ManualAutoCompleteList=(Command="Module List",Desc="Lists all known modules")
ManualAutoCompleteList=(Command="Module Load",Desc="Attempts to load the specified module name")
ManualAutoCompleteList=(Command="Module Unload",Desc="Unloads the specified module name")
ManualAutoCompleteList=(Command="Module Reload",Desc="Reloads the specified module name, unloading it first if needed")
ManualAutoCompleteList=(Command="Module Recompile",Desc="Attempts to recompile a module, first unloading it if needed")
ManualAutoCompleteList=(Command="HotReload",Desc="<UObject DLL Hot Reload> Attempts to recompile a UObject DLL and reload it on the fly")
ManualAutoCompleteList=(Command="AudioDebugSound",Desc="<filter> Rejects new USoundBase requests where the sound name does not contain the provided filter")
ManualAutoCompleteList=(Command="AudioGetDynamicSoundVolume",Desc="Gets volume for given sound type ('Class', 'Cue' or 'Wave') with provided name")
ManualAutoCompleteList=(Command="AudioMemReport",Desc="Lists info for audio memory")
ManualAutoCompleteList=(Command="AudioMixerDebugSound",Desc="<filter> With new mixer enabled, rejects new USoundBase requests where the sound name does not contain the provided filter")
ManualAutoCompleteList=(Command="AudioResetAllDynamicSoundVolumes",Desc="Resets all dynamic volumes to unity")
ManualAutoCompleteList=(Command="AudioResetDynamicSoundVolume",Desc="Resets volume for given sound type ('Class', 'Cue' or 'Wave') with provided name to unity")
ManualAutoCompleteList=(Command="AudioSetDynamicSoundVolume",Desc="Name=<name> Type=<type> Vol=<vol> Sets volume for given sound type ('Class', 'Cue' or 'Wave') with provided name")
ManualAutoCompleteList=(Command="AudioSoloSoundClass",Desc="<name> Solos USoundClass")
ManualAutoCompleteList=(Command="AudioSoloSoundCue",Desc="<name> Solos USoundCue")
ManualAutoCompleteList=(Command="AudioSoloSoundWave",Desc="<name> Solos USoundWave")
ManualAutoCompleteList=(Command="ClearSoloAudio",Desc="Clears solo'ed object")
ManualAutoCompleteList=(Command="DisableLPF",Desc="Disables low-pass filter")
ManualAutoCompleteList=(Command="DisableEQFilter",Desc="Disables EQ")
ManualAutoCompleteList=(Command="DisableRadio",Desc="Disables radio effect")
ManualAutoCompleteList=(Command="DumpSoundInfo",Desc="Dumps sound information to log")
ManualAutoCompleteList=(Command="EnableRadio",Desc="Enables radio effect")
ManualAutoCompleteList=(Command="IsolateDryAudio",Desc="Isolates dry audio")
ManualAutoCompleteList=(Command="IsolateReverb",Desc="Isolates reverb")
ManualAutoCompleteList=(Command="ListAudioComponents",Desc="Dumps a detailed list of all AudioComponent objects")
ManualAutoCompleteList=(Command="ListSoundClasses",Desc="Lists a summary of loaded sound collated by class")
ManualAutoCompleteList=(Command="ListSoundClassVolumes",Desc="Lists all sound class volumes")
ManualAutoCompleteList=(Command="ListSoundDurations",Desc="Lists durations of all active sounds")
ManualAutoCompleteList=(Command="ListSounds",Desc="Lists all the loaded sounds and their memory footprint")
ManualAutoCompleteList=(Command="ListWaves",Desc="List the WaveInstances and whether they have a source")
ManualAutoCompleteList=(Command="PlayAllPIEAudio",Desc="Toggls whether or not all devices should play their audio")
ManualAutoCompleteList=(Command="PlaySoundCue",Desc="Plays the given soundcue")
ManualAutoCompleteList=(Command="PlaySoundWave",Desc="<name> Plays the given soundwave")
ManualAutoCompleteList=(Command="ResetSoundState",Desc="Resets volumes to default and removes test filters")
ManualAutoCompleteList=(Command="SetBaseSoundMix",Desc="<MixName> Sets the base sound mix")
ManualAutoCompleteList=(Command="ShowSoundClassHierarchy",Desc="")
ManualAutoCompleteList=(Command="SoloAudio",Desc="Solos the audio device associated with the parent world")
ManualAutoCompleteList=(Command="SoundClassFixup",Desc="Deprecated")
ManualAutoCompleteList=(Command="TestLFEBleed",Desc="Sets LPF to max for all sources")
ManualAutoCompleteList=(Command="TestLPF",Desc="Sets LPF to max for all sources")
ManualAutoCompleteList=(Command="TestStereoBleed",Desc="Test bleeding stereo sounds fully to the rear speakers")
ManualAutoCompleteList=(Command="ToggleHRTFForAll",Desc="Toggles whether or not HRTF spatialization is enabled for all")
ManualAutoCompleteList=(Command="ToggleSpatExt",Desc="Toggles enablement of the Spatial Audio Extension")
ManualAutoCompleteList=(Command="DisableAllScreenMessages",Desc="Disables all on-screen warnings/messages")
ManualAutoCompleteList=(Command="EnableAllScreenMessages",Desc="Enables all on-screen warnings/messages")
ManualAutoCompleteList=(Command="ToggleAllScreenMessages",Desc="Toggles display state of all on-screen warnings/messages")
ManualAutoCompleteList=(Command="ToggleAsyncCompute",Desc="Toggles AsyncCompute for platforms that have it")
ManualAutoCompleteList=(Command="ToggleRenderingThread",Desc="Toggles the rendering thread for platforms that have it")
ManualAutoCompleteList=(Command="CaptureMode",Desc="Toggles display state of all on-screen warnings/messages")
ManualAutoCompleteList=(Command="ShowDebug None",Desc="Toggles ShowDebug w/ current debug type selection")
ManualAutoCompleteList=(Command="ShowDebug Reset",Desc="Turns off ShowDebug, and clears debug type selection")
ManualAutoCompleteList=(Command="ShowDebug NET",Desc=)
ManualAutoCompleteList=(Command="ShowDebug PHYSICS",Desc=)
ManualAutoCompleteList=(Command="ShowDebug COLLISION",Desc=)
ManualAutoCompleteList=(Command="ShowDebug AI",Desc=)
ManualAutoCompleteList=(Command="ShowDebug CAMERA",Desc=)
ManualAutoCompleteList=(Command="ShowDebug WEAPON",Desc=)
ManualAutoCompleteList=(Command="ShowDebug ANIMATION",Desc="Toggles display state of animation debug data")
ManualAutoCompleteList=(Command="ShowDebug BONES",Desc="Toggles display of skeletalmesh bones")
ManualAutoCompleteList=(Command="ShowDebug INPUT",Desc=)
ManualAutoCompleteList=(Command="ShowDebug FORCEFEEDBACK",Desc="Toggles display of current force feedback values and what is contributing to that calculation")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory 3DBONES",Desc="With ShowDebug Bones: Toggles bone rendering between single lines and a more complex 3D model per bone")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory SYNCGROUPS",Desc="With ShowDebug Animation: Toggles display of sync group data")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory MONTAGES",Desc="With ShowDebug Animation: Toggles display of montage data")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory GRAPH",Desc="With ShowDebug Animation: Toggles display of animation blueprint graph")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory CURVES",Desc="With ShowDebug Animation: Toggles display of curve data")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory NOTIFIES",Desc="With ShowDebug Animation: Toggles display of notify data")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory FULLGRAPH",Desc="With ShowDebug Animation: Toggles graph display between active nodes only and all nodes")
ManualAutoCompleteList=(Command="ShowDebugToggleSubCategory FULLBLENDSPACEDISPLAY",Desc="With ShowDebug Animation: Toggles display of sample blend weights on blendspaces")
ManualAutoCompleteList=(Command="ShowDebugForReticleTargetToggle ",Desc="<DesiredClass> Toggles 'ShowDebug' from showing debug info between reticle target actor (of subclass <DesiredClass>) and camera view target")
ManualAutoCompleteList=(Command="Stat SoundCues",Desc="Shows active SoundCues")
ManualAutoCompleteList=(Command="Stat SoundMixes",Desc="Shows active SoundMixes")
ManualAutoCompleteList=(Command="Stat SoundModulators",Desc="Shows modulator debug info as provided by active audio modulation plugin")
ManualAutoCompleteList=(Command="Stat SoundModulatorsHelp",Desc="Shows modulator debug help provided by active audio modulation plugin")
ManualAutoCompleteList=(Command="Stat SoundReverb",Desc="Shows active SoundReverb")
ManualAutoCompleteList=(Command="Stat SoundWaves",Desc="Shows active SoundWaves")
ManualAutoCompleteList=(Command="Stat Sounds",Desc="<?> <sort=class|distance|name|priority|time|volume|waves> <-debug> Shows all active sounds. Displays value sorted by when sort is set")
ManualAutoCompleteList=(Command="ScriptAudit LongestFunctions",Desc="List functions that contain the most bytecode - optionally include # of entries to list")
ManualAutoCompleteList=(Command="ScriptAudit FrequentFunctionsCalled",Desc="List functions that are most frequently called from bytecode - optionally include # of entries to list")
ManualAutoCompleteList=(Command="ScriptAudit FrequentInstructions",Desc="List most frequently used instructions - optionally include # of entries to list")
ManualAutoCompleteList=(Command="ScriptAudit TotalBytecodeSize",Desc="Gather total size of bytecode in bytes of currently loaded functions")
ManualAutoCompleteList=(Command="Audio3dVisualize",Desc="Shows locations of sound sources playing (white text) and their left and right channel locations respectively (red and green). Virtualized loops (if enabled) display in blue.")
ManualAutoCompleteList=(Command="StartMovieCapture",Desc=)
ManualAutoCompleteList=(Command="StopMovieCapture",Desc=)
ManualAutoCompleteList=(Command="TraceTag",Desc="Draw traces that use the specified tag")
ManualAutoCompleteList=(Command="TraceTagAll",Desc="Draw all scene queries regardless of the trace tag")
ManualAutoCompleteList=(Command="VisLog",Desc="Launches Log Visualizer tool")
ManualAutoCompleteList=(Command="CycleNavDrawn",Desc="Cycles through navigation data (navmeshes for example) to draw one at a time")
ManualAutoCompleteList=(Command="Log ",Desc="<category> <level> Change verbosity level for a log category")
ManualAutoCompleteList=(Command="Log list",Desc="<search string> Search for log categories")
ManualAutoCompleteList=(Command="Log reset",Desc="Undo any changes to log verbosity")
ManualAutoCompleteList=(Command="RecordAnimation ActorName AnimName",Desc="Record animation for a specified actor to the specified file")
ManualAutoCompleteList=(Command="StopRecordingAnimation All",Desc="Stop all recording animations")
ManualAutoCompleteList=(Command="RecordSequence Filter ActorOrClassName",Desc="Record a level sequence from gameplay. Filter=<All|Actor|Class>")
ManualAutoCompleteList=(Command="StopRecordingSequence",Desc="Stop recording the current sequence. Only one sequence recording can be active at one time.")
ManualAutoCompleteList=(Command="RecordTake Filter ActorOrClassName",Desc="Record a level sequence from gameplay. Filter=<All|Actor|Class>")
ManualAutoCompleteList=(Command="StopRecordingTake",Desc="Stop recording the current sequence. Only one sequence recording can be active at one time.")
ManualAutoCompleteList=(Command="FreezeRendering",Desc="Toggle freezing of most aspects of rendering (such as visibility calculations), useful in conjunction with ToggleDebugCamera to fly around and see how frustum and occlusion culling is working")
ManualAutoCompleteList=(Command="ProfileGPU",Desc="Profile one frame of rendering commands sent to the GPU")
ManualAutoCompleteList=(Command="ProfileGPUHitches",Desc="Toggle profiling of GPU hitches.")
ManualAutoCompleteList=(Command="Automation",Desc="Run an automation command (e.g., Automation RunTests TestName)")
ManualAutoCompleteList=(Command="CsvProfile Start",Desc="Start CSV profiling.")
ManualAutoCompleteList=(Command="CsvProfile Stop",Desc="Stop CSV profiling.")
ManualAutoCompleteList=(Command="NetProfile Enable",Desc="Start network profiling.")
ManualAutoCompleteList=(Command="NetProfile Disable",Desc="Stop network profiling.")
BackgroundOpacityPercentage=85.000000
InputColor=(R=230,G=230,B=230,A=255)
HistoryColor=(R=180,G=180,B=180,A=255)
AutoCompleteCommandColor=(B=185,G=109,R=144,A=255)
AutoCompleteCVarColor=(B=86,G=158,R=86,A=255)
AutoCompleteFadedColor=(R=100,G=100,B=100,A=255)

View File

@ -1,249 +0,0 @@
[DevOptions.StaticLighting]
bAllowMultiThreadedStaticLighting=True
ViewSingleBounceNumber=-1
bUseBilinearFilterLightmaps=True
bCompressLightmaps=True
bUseConservativeTexelRasterization=True
bAccountForTexelSize=True
bUseMaxWeight=True
MaxTriangleLightingSamples=8
MaxTriangleIrradiancePhotonCacheSamples=4
bAllow64bitProcess=True
DefaultStaticMeshLightingRes=32
bAllowCropping=False
bGarbageCollectAfterExport=True
bRebuildDirtyGeometryForLighting=True
bUseEmbree=true
bVerifyEmbree=false
bUseEmbreePacketTracing=false
bUseFastVoxelization=false
bUseEmbreeInstancing=false
bUseFilteredCubemapForSkylight=true
MappingSurfaceCacheDownsampleFactor=2
[DevOptions.StaticLightingSceneConstants]
StaticLightingLevelScale=1
VisibilityRayOffsetDistance=.1
VisibilityNormalOffsetDistance=3
VisibilityNormalOffsetSampleRadiusScale=.1
VisibilityTangentOffsetSampleRadiusScale=.8
SmallestTexelRadius=.1
LightGridSize=100
AutomaticImportanceVolumeExpandBy=500
MinimumImportanceVolumeExtentWithoutWarning=10000.0
[DevOptions.StaticLightingMaterial]
bUseDebugMaterial=False
ShowMaterialAttribute=None
EmissiveSampleSize=128
DiffuseSampleSize=128
SpecularSampleSize=128
TransmissionSampleSize=256
NormalSampleSize=256
TerrainSampleScalar=4
DebugDiffuse=(R=0.500000,G=0.500000,B=0.500000)
EnvironmentColor=(R=0.00000,G=0.00000,B=0.00000)
[DevOptions.MeshAreaLights]
bVisualizeMeshAreaLightPrimitives=False
EmissiveIntensityThreshold=.01
MeshAreaLightGridSize=100
MeshAreaLightSimplifyNormalAngleThreshold=25
MeshAreaLightSimplifyCornerDistanceThreshold=.5
MeshAreaLightSimplifyMeshBoundingRadiusFractionThreshold=.1
MeshAreaLightGeneratedDynamicLightSurfaceOffset=30
[DevOptions.PrecomputedDynamicObjectLighting]
bVisualizeVolumeLightSamples=False
bVisualizeVolumeLightInterpolation=False
NumHemisphereSamplesScale=2
SurfaceLightSampleSpacing=300
FirstSurfaceSampleLayerHeight=50
SurfaceSampleLayerHeightSpacing=250
NumSurfaceSampleLayers=2
DetailVolumeSampleSpacing=300
VolumeLightSampleSpacing=3000
MaxVolumeSamples=250000
bUseMaxSurfaceSampleNum=True
MaxSurfaceLightSamples=500000
[DevOptions.VolumetricLightmaps]
BrickSize=4
MaxRefinementLevels=3
VoxelizationCellExpansionForSurfaceGeometry=.1
VoxelizationCellExpansionForVolumeGeometry=.25
VoxelizationCellExpansionForLights=.1
TargetNumVolumetricLightmapTasks=800
MinBrickError=.01
SurfaceLightmapMinTexelsPerVoxelAxis=1.0
bCullBricksBelowLandscape=true
LightBrightnessSubdivideThreshold=.3
[DevOptions.PrecomputedVisibility]
bVisualizePrecomputedVisibility=False
bCompressVisibilityData=True
bPlaceCellsOnOpaqueOnly=True
NumCellDistributionBuckets=800
CellRenderingBucketSize=5
NumCellRenderingBuckets=5
PlayAreaHeight=220
MeshBoundsScale=1.2
VisibilitySpreadingIterations=1
MinMeshSamples=14
MaxMeshSamples=40
NumCellSamples=24
NumImportanceSamples=40
[DevOptions.PrecomputedVisibilityModeratelyAggressive]
MeshBoundsScale=1
VisibilitySpreadingIterations=1
[DevOptions.PrecomputedVisibilityMostAggressive]
MeshBoundsScale=1
VisibilitySpreadingIterations=0
[DevOptions.VolumeDistanceField]
VoxelSize=75
VolumeMaxDistance=900
NumVoxelDistanceSamples=800
MaxVoxels=3992160
[DevOptions.StaticShadows]
bUseZeroAreaLightmapSpaceFilteredLights=False
NumShadowRays=8
NumPenumbraShadowRays=8
NumBounceShadowRays=1
bFilterShadowFactor=True
ShadowFactorGradientTolerance=0.5
bAllowSignedDistanceFieldShadows=True
MaxTransitionDistanceWorldSpace=50
ApproximateHighResTexelsPerMaxTransitionDistance=50
MinDistanceFieldUpsampleFactor=3
MinUnoccludedFraction=.0005
StaticShadowDepthMapTransitionSampleDistanceX=100
StaticShadowDepthMapTransitionSampleDistanceY=100
StaticShadowDepthMapSuperSampleFactor=2
StaticShadowDepthMapMaxSamples=4194304
[DevOptions.ImportanceTracing]
bUseStratifiedSampling=True
NumHemisphereSamples=16
MaxHemisphereRayAngle=89
NumAdaptiveRefinementLevels=2
AdaptiveBrightnessThreshold=1
AdaptiveFirstBouncePhotonConeAngle=4
AdaptiveSkyVarianceThreshold=.5
bUseRadiositySolverForSkylightMultibounce=True
bCacheFinalGatherHitPointsForRadiosity=False
bUseRadiositySolverForLightMultibounce=False
[DevOptions.PhotonMapping]
bUsePhotonMapping=True
bUseFinalGathering=True
bUsePhotonDirectLightingInFinalGather=False
bVisualizeCachedApproximateDirectLighting=False
bUseIrradiancePhotons=True
bCacheIrradiancePhotonsOnSurfaces=True
bVisualizePhotonPaths=False
bVisualizePhotonGathers=True
bVisualizePhotonImportanceSamples=False
bVisualizeIrradiancePhotonCalculation=False
bEmitPhotonsOutsideImportanceVolume=False
ConeFilterConstant=1
NumIrradianceCalculationPhotons=400
FinalGatherImportanceSampleFraction=.6
FinalGatherImportanceSampleConeAngle=10
IndirectPhotonEmitDiskRadius=200
IndirectPhotonEmitConeAngle=30
MaxImportancePhotonSearchDistance=2000
MinImportancePhotonSearchDistance=20
NumImportanceSearchPhotons=10
OutsideImportanceVolumeDensityScale=.0005
DirectPhotonDensity=350
DirectIrradiancePhotonDensity=350
DirectPhotonSearchDistance=200
IndirectPhotonPathDensity=5
IndirectPhotonDensity=600
IndirectIrradiancePhotonDensity=300
IndirectPhotonSearchDistance=200
PhotonSearchAngleThreshold=.5
IrradiancePhotonSearchConeAngle=10
bUsePhotonSegmentsForVolumeLighting=true
PhotonSegmentMaxLength=1000
GeneratePhotonSegmentChance=.01
[DevOptions.IrradianceCache]
bAllowIrradianceCaching=True
bUseIrradianceGradients=False
bShowGradientsOnly=False
bVisualizeIrradianceSamples=True
RecordRadiusScale=.8
InterpolationMaxAngle=20
PointBehindRecordMaxAngle=10
DistanceSmoothFactor=4
AngleSmoothFactor=4
SkyOcclusionSmoothnessReduction=.5
MaxRecordRadius=1024
CacheTaskSize=64
InterpolateTaskSize=64
[DevOptions.StaticLightingMediumQuality]
NumShadowRaysScale=2
NumPenumbraShadowRaysScale=4
ApproximateHighResTexelsPerMaxTransitionDistanceScale=3
MinDistanceFieldUpsampleFactor=3
NumHemisphereSamplesScale=2
NumImportanceSearchPhotonsScale=1
NumDirectPhotonsScale=2
DirectPhotonSearchDistanceScale=.5
NumIndirectPhotonPathsScale=1
NumIndirectPhotonsScale=2
NumIndirectIrradiancePhotonsScale=2
RecordRadiusScaleScale=.75
InterpolationMaxAngleScale=1
IrradianceCacheSmoothFactor=.75
NumAdaptiveRefinementLevels=3
AdaptiveBrightnessThresholdScale=.5
AdaptiveFirstBouncePhotonConeAngleScale=1
AdaptiveSkyVarianceThresholdScale=1
[DevOptions.StaticLightingHighQuality]
NumShadowRaysScale=4
NumPenumbraShadowRaysScale=8
ApproximateHighResTexelsPerMaxTransitionDistanceScale=6
MinDistanceFieldUpsampleFactor=5
NumHemisphereSamplesScale=4
NumImportanceSearchPhotonsScale=2
NumDirectPhotonsScale=2
DirectPhotonSearchDistanceScale=.5
NumIndirectPhotonPathsScale=2
NumIndirectPhotonsScale=4
NumIndirectIrradiancePhotonsScale=2
RecordRadiusScaleScale=.75
InterpolationMaxAngleScale=.75
IrradianceCacheSmoothFactor=.75
NumAdaptiveRefinementLevels=3
AdaptiveBrightnessThresholdScale=.25
AdaptiveFirstBouncePhotonConeAngleScale=2
AdaptiveSkyVarianceThresholdScale=.5
[DevOptions.StaticLightingProductionQuality]
NumShadowRaysScale=8
NumPenumbraShadowRaysScale=32
ApproximateHighResTexelsPerMaxTransitionDistanceScale=6
MinDistanceFieldUpsampleFactor=5
NumHemisphereSamplesScale=8
NumImportanceSearchPhotonsScale=3
NumDirectPhotonsScale=4
DirectPhotonSearchDistanceScale=.5
NumIndirectPhotonPathsScale=2
NumIndirectPhotonsScale=8
NumIndirectIrradiancePhotonsScale=2
RecordRadiusScaleScale=.5625
InterpolationMaxAngleScale=.75
IrradianceCacheSmoothFactor=.75
NumAdaptiveRefinementLevels=3
AdaptiveBrightnessThresholdScale=.25
AdaptiveFirstBouncePhotonConeAngleScale=2.5
AdaptiveSkyVarianceThresholdScale=.5

View File

@ -1,547 +0,0 @@
[ScalabilitySettings]
PerfIndexThresholds_ResolutionQuality=GPU 18 42 115
PerfIndexThresholds_ViewDistanceQuality=Min 18 42 105
PerfIndexThresholds_AntiAliasingQuality=GPU 18 42 115
PerfIndexThresholds_ShadowQuality=Min 18 42 105
PerfIndexThresholds_PostProcessQuality=GPU 18 42 115
PerfIndexThresholds_TextureQuality=GPU 18 42 115
PerfIndexThresholds_EffectsQuality=Min 18 42 105
PerfIndexThresholds_FoliageQuality=GPU 18 42 115
PerfIndexThresholds_ShadingQuality=GPU 18 42 115
PerfIndexValues_ResolutionQuality=50 71 87 100 100
[AntiAliasingQuality@0]
r.PostProcessAAQuality=0
[AntiAliasingQuality@1]
r.PostProcessAAQuality=2
[AntiAliasingQuality@2]
r.PostProcessAAQuality=3
[AntiAliasingQuality@3]
r.PostProcessAAQuality=4
[AntiAliasingQuality@Cine]
r.PostProcessAAQuality=6
[ViewDistanceQuality@0]
r.SkeletalMeshLODBias=2
r.ViewDistanceScale=0.4
[ViewDistanceQuality@1]
r.SkeletalMeshLODBias=1
r.ViewDistanceScale=0.6
[ViewDistanceQuality@2]
r.SkeletalMeshLODBias=0
r.ViewDistanceScale=0.8
[ViewDistanceQuality@3]
r.SkeletalMeshLODBias=0
r.ViewDistanceScale=1.0
[ViewDistanceQuality@Cine]
r.SkeletalMeshLODBias=0
r.ViewDistanceScale=10.0
[ShadowQuality@0]
r.LightFunctionQuality=0
r.ShadowQuality=0
r.Shadow.CSM.MaxCascades=1
r.Shadow.MaxResolution=512
r.Shadow.MaxCSMResolution=512
r.Shadow.RadiusThreshold=0.06
r.Shadow.DistanceScale=0.6
r.Shadow.CSM.TransitionScale=0
r.Shadow.PreShadowResolutionFactor=0.5
r.DistanceFieldShadowing=0
r.DistanceFieldAO=0
r.VolumetricFog=0
r.LightMaxDrawDistanceScale=0
r.CapsuleShadows=0
[ShadowQuality@1]
r.LightFunctionQuality=1
r.ShadowQuality=3
r.Shadow.CSM.MaxCascades=1
r.Shadow.MaxResolution=1024
r.Shadow.MaxCSMResolution=1024
r.Shadow.RadiusThreshold=0.05
r.Shadow.DistanceScale=0.7
r.Shadow.CSM.TransitionScale=0.25
r.Shadow.PreShadowResolutionFactor=0.5
r.DistanceFieldShadowing=0
r.DistanceFieldAO=0
r.VolumetricFog=0
r.LightMaxDrawDistanceScale=.5
r.CapsuleShadows=1
[ShadowQuality@2]
r.LightFunctionQuality=1
r.ShadowQuality=5
r.Shadow.CSM.MaxCascades=4
r.Shadow.MaxResolution=1024
r.Shadow.MaxCSMResolution=2048
r.Shadow.RadiusThreshold=0.04
r.Shadow.DistanceScale=0.85
r.Shadow.CSM.TransitionScale=0.8
r.Shadow.PreShadowResolutionFactor=0.5
r.DistanceFieldShadowing=1
r.DistanceFieldAO=1
r.AOQuality=1
r.VolumetricFog=1
r.VolumetricFog.GridPixelSize=16
r.VolumetricFog.GridSizeZ=64
r.VolumetricFog.HistoryMissSupersampleCount=4
r.LightMaxDrawDistanceScale=1
r.CapsuleShadows=1
[ShadowQuality@3]
r.LightFunctionQuality=1
r.ShadowQuality=5
r.Shadow.CSM.MaxCascades=10
r.Shadow.MaxResolution=2048
r.Shadow.MaxCSMResolution=2048
r.Shadow.RadiusThreshold=0.01
r.Shadow.DistanceScale=1.0
r.Shadow.CSM.TransitionScale=1.0
r.Shadow.PreShadowResolutionFactor=1.0
r.DistanceFieldShadowing=1
r.DistanceFieldAO=1
r.AOQuality=2
r.VolumetricFog=1
r.VolumetricFog.GridPixelSize=8
r.VolumetricFog.GridSizeZ=128
r.VolumetricFog.HistoryMissSupersampleCount=4
r.LightMaxDrawDistanceScale=1
r.CapsuleShadows=1
[ShadowQuality@Cine]
r.LightFunctionQuality=1
r.ShadowQuality=5
r.Shadow.CSM.MaxCascades=10
r.Shadow.MaxResolution=4096
r.Shadow.MaxCSMResolution=4096
r.Shadow.RadiusThreshold=0
r.Shadow.DistanceScale=1.0
r.Shadow.CSM.TransitionScale=1.0
r.Shadow.PreShadowResolutionFactor=1.0
r.DistanceFieldShadowing=1
r.DistanceFieldAO=1
r.AOQuality=2
r.VolumetricFog=1
r.VolumetricFog.GridPixelSize=4
r.VolumetricFog.GridSizeZ=128
r.VolumetricFog.HistoryMissSupersampleCount=16
r.LightMaxDrawDistanceScale=1
r.CapsuleShadows=1
[PostProcessQuality@0]
r.MotionBlurQuality=0
r.AmbientOcclusionMipLevelFactor=1.0
r.AmbientOcclusionMaxQuality=0
r.AmbientOcclusionLevels=0
r.AmbientOcclusionRadiusScale=1.2
r.DepthOfFieldQuality=0
r.RenderTargetPoolMin=300
r.LensFlareQuality=0
r.SceneColorFringeQuality=0
r.EyeAdaptationQuality=0
r.BloomQuality=4
r.FastBlurThreshold=0
r.Upscale.Quality=1
r.Tonemapper.GrainQuantization=0
r.LightShaftQuality=0
r.Filter.SizeScale=0.6
r.Tonemapper.Quality=0
[PostProcessQuality@1]
r.MotionBlurQuality=3
r.AmbientOcclusionMipLevelFactor=1.0
r.AmbientOcclusionMaxQuality=60
r.AmbientOcclusionLevels=-1
r.AmbientOcclusionRadiusScale=1.5
r.DepthOfFieldQuality=1
r.RenderTargetPoolMin=350
r.LensFlareQuality=0
r.SceneColorFringeQuality=0
r.EyeAdaptationQuality=0
r.BloomQuality=4
r.FastBlurThreshold=2
r.Upscale.Quality=2
r.Tonemapper.GrainQuantization=0
r.LightShaftQuality=0
r.Filter.SizeScale=0.7
r.Tonemapper.Quality=2
r.DOF.Gather.AccumulatorQuality=0 ; lower gathering accumulator quality
r.DOF.Gather.PostfilterMethod=2 ; Max3x3 postfilering method
r.DOF.Gather.EnableBokehSettings=0 ; no bokeh simulation when gathering
r.DOF.Gather.RingCount=3 ; low number of samples when gathering
r.DOF.Scatter.ForegroundCompositing=0 ; no foreground scattering
r.DOF.Scatter.BackgroundCompositing=0 ; no foreground scattering
r.DOF.Recombine.Quality=0 ; no slight out of focus
r.DOF.TemporalAAQuality=0 ; faster temporal accumulation
r.DOF.Kernel.MaxForegroundRadius=0.006 ; required because low gathering and no scattering and not looking great at 1080p
r.DOF.Kernel.MaxBackgroundRadius=0.006 ; required because low gathering and no scattering and not looking great at 1080p
[PostProcessQuality@2]
r.MotionBlurQuality=3
r.AmbientOcclusionMipLevelFactor=0.6
r.AmbientOcclusionMaxQuality=100
r.AmbientOcclusionLevels=-1
r.AmbientOcclusionRadiusScale=1.5
r.DepthOfFieldQuality=2
r.RenderTargetPoolMin=400
r.LensFlareQuality=2
r.SceneColorFringeQuality=1
r.EyeAdaptationQuality=2
r.BloomQuality=5
r.FastBlurThreshold=3
r.Upscale.Quality=2
r.Tonemapper.GrainQuantization=1
r.LightShaftQuality=1
r.Filter.SizeScale=0.8
r.Tonemapper.Quality=5
r.DOF.Gather.AccumulatorQuality=0 ; lower gathering accumulator quality
r.DOF.Gather.PostfilterMethod=2 ; Max3x3 postfilering method
r.DOF.Gather.EnableBokehSettings=0 ; no bokeh simulation when gathering
r.DOF.Gather.RingCount=4 ; medium number of samples when gathering
r.DOF.Scatter.ForegroundCompositing=1 ; additive foreground scattering
r.DOF.Scatter.BackgroundCompositing=1 ; no background occlusion
r.DOF.Scatter.EnableBokehSettings=0 ; no bokeh simulation when scattering
r.DOF.Scatter.MaxSpriteRatio=0.04 ; only a maximum of 4% of scattered bokeh
r.DOF.Recombine.Quality=0 ; no slight out of focus
r.DOF.TemporalAAQuality=0 ; faster temporal accumulation
r.DOF.Kernel.MaxForegroundRadius=0.012 ; required because of AccumulatorQuality=0
r.DOF.Kernel.MaxBackgroundRadius=0.012 ; required because of AccumulatorQuality=0
[PostProcessQuality@3]
r.MotionBlurQuality=4
r.AmbientOcclusionMipLevelFactor=0.4
r.AmbientOcclusionMaxQuality=100
r.AmbientOcclusionLevels=-1
r.AmbientOcclusionRadiusScale=1.0
r.DepthOfFieldQuality=2
r.RenderTargetPoolMin=400
r.LensFlareQuality=2
r.SceneColorFringeQuality=1
r.EyeAdaptationQuality=2
r.BloomQuality=5
r.FastBlurThreshold=100
r.Upscale.Quality=3
r.Tonemapper.GrainQuantization=1
r.LightShaftQuality=1
r.Filter.SizeScale=1
r.Tonemapper.Quality=5
r.DOF.Gather.AccumulatorQuality=1 ; higher gathering accumulator quality
r.DOF.Gather.PostfilterMethod=1 ; Median3x3 postfilering method
r.DOF.Gather.EnableBokehSettings=0 ; no bokeh simulation when gathering
r.DOF.Gather.RingCount=4 ; medium number of samples when gathering
r.DOF.Scatter.ForegroundCompositing=1 ; additive foreground scattering
r.DOF.Scatter.BackgroundCompositing=2 ; additive background scattering
r.DOF.Scatter.EnableBokehSettings=1 ; bokeh simulation when scattering
r.DOF.Scatter.MaxSpriteRatio=0.1 ; only a maximum of 10% of scattered bokeh
r.DOF.Recombine.Quality=1 ; cheap slight out of focus
r.DOF.Recombine.EnableBokehSettings=0 ; no bokeh simulation on slight out of focus
r.DOF.TemporalAAQuality=1 ; more stable temporal accumulation
r.DOF.Kernel.MaxForegroundRadius=0.025
r.DOF.Kernel.MaxBackgroundRadius=0.025
[PostProcessQuality@Cine]
r.MotionBlurQuality=4
r.AmbientOcclusionMipLevelFactor=0.4
r.AmbientOcclusionMaxQuality=100
r.AmbientOcclusionLevels=-1
r.AmbientOcclusionRadiusScale=1.0
r.DepthOfFieldQuality=4
r.RenderTargetPoolMin=1000
r.LensFlareQuality=3
r.SceneColorFringeQuality=1
r.EyeAdaptationQuality=2
r.BloomQuality=5
r.FastBlurThreshold=100
r.Upscale.Quality=3
r.Tonemapper.GrainQuantization=1
r.LightShaftQuality=1
r.Filter.SizeScale=1
r.Tonemapper.Quality=5
r.DOF.Gather.AccumulatorQuality=1 ; higher gathering accumulator quality
r.DOF.Gather.PostfilterMethod=1 ; Median3x3 postfilering method
r.DOF.Gather.EnableBokehSettings=1 ; bokeh simulation when gathering
r.DOF.Gather.RingCount=5 ; high number of samples when gathering
r.DOF.Scatter.ForegroundCompositing=1 ; additive foreground scattering
r.DOF.Scatter.BackgroundCompositing=2 ; background scattering occlusion
r.DOF.Scatter.EnableBokehSettings=1 ; no bokeh simulation when scattering
r.DOF.Scatter.MaxSpriteRatio=0.25 ; only a maximum of 10% of scattered bokeh
r.DOF.Recombine.Quality=2 ; highest slight out of focus
r.DOF.Recombine.EnableBokehSettings=1 ; bokeh simulation on slight out of focus
r.DOF.TemporalAAQuality=1 ; more stable temporal accumulation
r.DOF.Kernel.MaxForegroundRadius=0.025
r.DOF.Kernel.MaxBackgroundRadius=0.025
[TextureQuality@0]
r.Streaming.MipBias=16
r.Streaming.AmortizeCPUToGPUCopy=1
r.Streaming.MaxNumTexturesToStreamPerFrame=1
r.Streaming.Boost=0.3
r.MaxAnisotropy=0
r.VT.MaxAnisotropy=4
r.Streaming.LimitPoolSizeToVRAM=1
r.Streaming.PoolSize=400
r.Streaming.MaxEffectiveScreenSize=0
[TextureQuality@1]
r.Streaming.MipBias=1
r.Streaming.AmortizeCPUToGPUCopy=0
r.Streaming.MaxNumTexturesToStreamPerFrame=0
r.Streaming.Boost=1
r.MaxAnisotropy=2
r.VT.MaxAnisotropy=4
r.Streaming.LimitPoolSizeToVRAM=1
r.Streaming.PoolSize=600
r.Streaming.MaxEffectiveScreenSize=0
[TextureQuality@2]
r.Streaming.MipBias=0
r.Streaming.AmortizeCPUToGPUCopy=0
r.Streaming.MaxNumTexturesToStreamPerFrame=0
r.Streaming.Boost=1
r.MaxAnisotropy=4
r.VT.MaxAnisotropy=8
r.Streaming.LimitPoolSizeToVRAM=1
r.Streaming.PoolSize=800
r.Streaming.MaxEffectiveScreenSize=0
[TextureQuality@3]
r.Streaming.MipBias=0
r.Streaming.AmortizeCPUToGPUCopy=0
r.Streaming.MaxNumTexturesToStreamPerFrame=0
r.Streaming.Boost=1
r.MaxAnisotropy=8
r.VT.MaxAnisotropy=8
r.Streaming.LimitPoolSizeToVRAM=0
r.Streaming.PoolSize=1000
r.Streaming.MaxEffectiveScreenSize=0
[TextureQuality@Cine]
r.Streaming.MipBias=0
r.Streaming.AmortizeCPUToGPUCopy=0
r.Streaming.MaxNumTexturesToStreamPerFrame=0
r.Streaming.Boost=1
r.MaxAnisotropy=8
r.VT.MaxAnisotropy=8
r.Streaming.LimitPoolSizeToVRAM=0
r.Streaming.PoolSize=3000
r.Streaming.MaxEffectiveScreenSize=0
[EffectsQuality@0]
r.TranslucencyLightingVolumeDim=24
r.RefractionQuality=0
r.SSR.Quality=0
r.SSR.HalfResSceneColor=1
r.SceneColorFormat=3
r.DetailMode=0
r.TranslucencyVolumeBlur=0
r.MaterialQualityLevel=0 ; Low quality
r.SSS.Scale=0
r.SSS.SampleSet=0
r.SSS.Quality=0
r.SSS.HalfRes=1
r.SSGI.Quality=0
r.EmitterSpawnRateScale=0.125
r.ParticleLightQuality=0
r.SkyAtmosphere.AerialPerspectiveLUT.FastApplyOnOpaque=1 ; Always have FastSkyLUT 1 in this case to avoid wrong sky
r.SkyAtmosphere.AerialPerspectiveLUT.SampleCountPerSlice=1
r.SkyAtmosphere.AerialPerspectiveLUT.DepthResolution=8.0
r.SkyAtmosphere.FastSkyLUT=1
r.SkyAtmosphere.FastSkyLUT.SampleCountMin=2.0
r.SkyAtmosphere.FastSkyLUT.SampleCountMax=16.0
r.SkyAtmosphere.SampleCountMin=2.0
r.SkyAtmosphere.SampleCountMax=16.0
r.SkyAtmosphere.TransmittanceLUT.UseSmallFormat=1
r.SkyAtmosphere.TransmittanceLUT.SampleCount=10.0
r.SkyAtmosphere.MultiScatteringLUT.SampleCount=15.0
fx.Niagara.QualityLevel=0
[EffectsQuality@1]
r.TranslucencyLightingVolumeDim=32
r.RefractionQuality=0
r.SSR.Quality=0
r.SSR.HalfResSceneColor=1
r.SceneColorFormat=3
r.DetailMode=1
r.TranslucencyVolumeBlur=0
r.MaterialQualityLevel=2 ; Medium quality
r.SSS.Scale=0.75
r.SSS.SampleSet=0
r.SSS.Quality=0
r.SSS.HalfRes=1
r.SSGI.Quality=1
r.EmitterSpawnRateScale=0.25
r.ParticleLightQuality=0
r.SkyAtmosphere.AerialPerspectiveLUT.FastApplyOnOpaque=1 ; Always have FastSkyLUT 1 in this case to avoid wrong sky
r.SkyAtmosphere.AerialPerspectiveLUT.SampleCountPerSlice=1
r.SkyAtmosphere.AerialPerspectiveLUT.DepthResolution=16.0
r.SkyAtmosphere.FastSkyLUT=1
r.SkyAtmosphere.FastSkyLUT.SampleCountMin=4.0
r.SkyAtmosphere.FastSkyLUT.SampleCountMax=32.0
r.SkyAtmosphere.SampleCountMin=4.0
r.SkyAtmosphere.SampleCountMax=32.0
r.SkyAtmosphere.TransmittanceLUT.UseSmallFormat=0
r.SkyAtmosphere.TransmittanceLUT.SampleCount=10.0
r.SkyAtmosphere.MultiScatteringLUT.SampleCount=15.0
fx.Niagara.QualityLevel=1
[EffectsQuality@2]
r.TranslucencyLightingVolumeDim=48
r.RefractionQuality=2
r.SSR.Quality=2
r.SSR.HalfResSceneColor=1
r.SceneColorFormat=3
r.DetailMode=1
r.TranslucencyVolumeBlur=1
r.MaterialQualityLevel=1 ; High quality
r.SSS.Scale=1
r.SSS.SampleSet=1
r.SSS.Quality=-1
r.SSS.HalfRes=1
r.SSGI.Quality=2
r.EmitterSpawnRateScale=0.5
r.ParticleLightQuality=1
r.SkyAtmosphere.AerialPerspectiveLUT.FastApplyOnOpaque=1 ; Always have FastSkyLUT 1 in this case to avoid wrong sky
r.SkyAtmosphere.AerialPerspectiveLUT.SampleCountPerSlice=1
r.SkyAtmosphere.AerialPerspectiveLUT.DepthResolution=16.0
r.SkyAtmosphere.FastSkyLUT=1
r.SkyAtmosphere.FastSkyLUT.SampleCountMin=4.0
r.SkyAtmosphere.FastSkyLUT.SampleCountMax=32.0
r.SkyAtmosphere.SampleCountMin=4.0
r.SkyAtmosphere.SampleCountMax=32.0
r.SkyAtmosphere.TransmittanceLUT.UseSmallFormat=0
r.SkyAtmosphere.TransmittanceLUT.SampleCount=10.0
r.SkyAtmosphere.MultiScatteringLUT.SampleCount=15.0
fx.Niagara.QualityLevel=2
[EffectsQuality@3]
r.TranslucencyLightingVolumeDim=64
r.RefractionQuality=2
r.SSR.Quality=3
r.SSR.HalfResSceneColor=0
r.SceneColorFormat=4
r.DetailMode=2
r.TranslucencyVolumeBlur=1
r.MaterialQualityLevel=1 ; High quality
r.SSS.Scale=1
r.SSS.SampleSet=2
r.SSS.Quality=1
r.SSS.HalfRes=0
r.SSGI.Quality=3
r.EmitterSpawnRateScale=1.0
r.ParticleLightQuality=2
r.SkyAtmosphere.AerialPerspectiveLUT.FastApplyOnOpaque=1 ; Always have FastSkyLUT 1 in this case to avoid wrong sky
r.SkyAtmosphere.AerialPerspectiveLUT.SampleCountPerSlice=1
r.SkyAtmosphere.AerialPerspectiveLUT.DepthResolution=16.0
r.SkyAtmosphere.FastSkyLUT=1
r.SkyAtmosphere.FastSkyLUT.SampleCountMin=4.0
r.SkyAtmosphere.FastSkyLUT.SampleCountMax=32.0
r.SkyAtmosphere.SampleCountMin=4.0
r.SkyAtmosphere.SampleCountMax=32.0
r.SkyAtmosphere.TransmittanceLUT.UseSmallFormat=0
r.SkyAtmosphere.TransmittanceLUT.SampleCount=10.0
r.SkyAtmosphere.MultiScatteringLUT.SampleCount=15.0
fx.Niagara.QualityLevel=3
[EffectsQuality@Cine]
r.TranslucencyLightingVolumeDim=64
r.RefractionQuality=2
r.SSR.Quality=4
r.SSR.HalfResSceneColor=0
r.SceneColorFormat=4
r.DetailMode=2
r.TranslucencyVolumeBlur=1
r.MaterialQualityLevel=1 ; High quality
r.SSS.Scale=1
r.SSS.SampleSet=2
r.SSS.Quality=1
r.SSS.HalfRes=0
r.SSGI.Quality=4
r.EmitterSpawnRateScale=1.0
r.ParticleLightQuality=2
r.SkyAtmosphere.AerialPerspectiveLUT.FastApplyOnOpaque=0
r.SkyAtmosphere.AerialPerspectiveLUT.SampleCountPerSlice=2
r.SkyAtmosphere.AerialPerspectiveLUT.DepthResolution=32.0
r.SkyAtmosphere.FastSkyLUT=0
r.SkyAtmosphere.FastSkyLUT.SampleCountMin=4.0
r.SkyAtmosphere.FastSkyLUT.SampleCountMax=32.0
r.SkyAtmosphere.SampleCountMin=8.0
r.SkyAtmosphere.SampleCountMax=32.0
r.SkyAtmosphere.TransmittanceLUT.UseSmallFormat=0
r.SkyAtmosphere.TransmittanceLUT.SampleCount=30.0
r.SkyAtmosphere.MultiScatteringLUT.SampleCount=20.0
fx.Niagara.QualityLevel=4
[FoliageQuality@0]
foliage.DensityScale=0
grass.DensityScale=0
[FoliageQuality@1]
foliage.DensityScale=0.4
grass.DensityScale=0.4
[FoliageQuality@2]
foliage.DensityScale=0.8
grass.DensityScale=0.8
[FoliageQuality@3]
foliage.DensityScale=1.0
grass.DensityScale=1.0
[FoliageQuality@Cine]
foliage.DensityScale=1.0
grass.DensityScale=1.0
[ShadingQuality@0]
r.HairStrands.SkyLighting.SampleCount=8
r.HairStrands.SkyLighting.JitterIntegration=0
r.HairStrands.SkyAO.SampleCount=8
r.HairStrands.DeepShadow.SuperSampling=0
r.HairStrands.VisibilityPPLL=0
r.HairStrands.RasterizationScale=0.5
r.HairStrands.VelocityRasterizationScale=1
[ShadingQuality@1]
r.HairStrands.SkyLighting.SampleCount=16
r.HairStrands.SkyLighting.JitterIntegration=0
r.HairStrands.SkyAO.SampleCount=16
r.HairStrands.DeepShadow.SuperSampling=0
r.HairStrands.VisibilityPPLL=0
r.HairStrands.RasterizationScale=0.5
r.HairStrands.VelocityRasterizationScale=1
[ShadingQuality@2]
r.HairStrands.SkyLighting.SampleCount=16
r.HairStrands.SkyLighting.JitterIntegration=0
r.HairStrands.SkyAO.SampleCount=16
r.HairStrands.DeepShadow.SuperSampling=0
r.HairStrands.VisibilityPPLL=0
r.HairStrands.RasterizationScale=0.5
r.HairStrands.VelocityRasterizationScale=1
[ShadingQuality@3]
r.HairStrands.SkyLighting.SampleCount=16
r.HairStrands.SkyLighting.JitterIntegration=0
r.HairStrands.SkyAO.SampleCount=16
r.HairStrands.DeepShadow.SuperSampling=0
r.HairStrands.VisibilityPPLL=0
r.HairStrands.RasterizationScale=0.5
r.HairStrands.VelocityRasterizationScale=1
[ShadingQuality@Cine]
r.HairStrands.SkyLighting.SampleCount=64
r.HairStrands.SkyLighting.JitterIntegration=1
r.HairStrands.SkyAO.SampleCount=32
r.HairStrands.DeepShadow.SuperSampling=1
r.HairStrands.RasterizationScale=1
r.HairStrands.VelocityRasterizationScale=1
r.HairStrands.VisibilityPPLL=1

View File

@ -1,6 +0,0 @@
[CrashReportClient]
bHideLogFilesOption=false
bIsAllowedToCloseWithoutSending=true
CrashConfigPurgeDays=2

View File

@ -1,6 +0,0 @@
[CrashReportClient]
bHideLogFilesOption=false
bIsAllowedToCloseWithoutSending=true
CrashConfigPurgeDays=2

View File

@ -1,6 +0,0 @@
[CrashReportClient]
bHideLogFilesOption=false
bIsAllowedToCloseWithoutSending=true
CrashConfigPurgeDays=2

View File

@ -1,22 +0,0 @@
**/eval
**/port.lock
**/workspace
**/idea64.vmoptions
**/options/actionSummary.xml
**/options/extensionsRootType.xml
**/options/debugger.xml
**/options/path.macros.xml
**/options/scala.xml
**/options/jdk.table.xml
**/options/other.xml
**/options/recentProjects.xml
**/options/updates.xml
**/options/usage.statistics.xml
**/options/vim_settings.xml
**/options/window.state.xml
**/options/vim_settings_local.xml
**/options/runner.layout.xml
**/options/designSurface.xml
**/options/lightEdit.xml
**/user.token
**/port

View File

@ -1 +0,0 @@
com.android.layoutlib.native

View File

@ -1,8 +0,0 @@
<application>
<component name="AndroidFirstRunPersistentData">
<version>1</version>
</component>
<component name="whatsNew">
<shownVersion>4.1.2</shownVersion>
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="EditorColorsManagerImpl">
<global_color_scheme name="Darcula" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="DefaultFont">
<option name="FONT_FAMILY" value="SauceCodePro Nerd Font" />
</component>
</application>

View File

@ -1,8 +0,0 @@
<application>
<component name="FileTypeManager" version="17">
<extensionMap>
<mapping ext="webp" type="Image" />
<mapping ext="main.kts" type="Kotlin" />
</extensionMap>
</component>
</application>

View File

@ -1,7 +0,0 @@
<application>
<component name="FindSettings">
<option name="customScope" value="All Places" />
<option name="defaultScopeName" value="All Places" />
<option name="SEARCH_SCOPE" value="All Places" />
</component>
</application>

View File

@ -1,8 +0,0 @@
<application>
<component name="GeneralSettings">
<option name="showTipsOnStartup" value="false" />
</component>
<component name="Registry">
<entry key="external.system.auto.import.disabled" value="true" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="LafManager">
<laf class-name="com.intellij.ide.ui.laf.darcula.DarculaLaf" />
</component>
</application>

View File

@ -1,6 +0,0 @@
<application>
<component name="NotificationConfiguration">
<notification groupId="Build sync orphan modules" displayType="NONE" shouldLog="false" />
<notification groupId="Gradle Notification Group" displayType="NONE" shouldLog="false" />
</component>
</application>

View File

@ -1,10 +0,0 @@
<application>
<component name="ProjectManager">
<defaultProject>
<component name="PropertiesComponent">
<property name="android.sdk.path" value="$USER_HOME$/Android/Sdk" />
<property name="settings.editor.selected.configurable" value="AndroidSdkUpdater" />
</component>
</defaultProject>
</component>
</application>

View File

@ -1,11 +0,0 @@
<application>
<component name="RunnerLayoutSettings">
<runner id="JavaRunner">
<ViewImpl>
<option name="ID" value="ConsoleContent" />
<option name="placeInGrid" value="bottom" />
</ViewImpl>
<TabImpl />
</runner>
</component>
</application>

View File

@ -1,9 +0,0 @@
<application>
<component name="VisualizationTool">
<option name="state">
<GlobalState>
<option name="firstTimeOpen" value="false" />
</GlobalState>
</option>
</component>
</application>

View File

@ -1,3 +0,0 @@
# custom Android Studio VM options, see https://developer.android.com/studio/intro/studio-config.html
-Xmx2048m
-Djbre.popupwindow.settype=false

View File

@ -1,121 +0,0 @@
<code_scheme name="Default" version="173">
<JetCodeStyleSettings>
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</JetCodeStyleSettings>
<codeStyleSettings language="XML">
<option name="FORCE_REARRANGE_MODE" value="1" />
<indentOptions>
<option name="CONTINUATION_INDENT_SIZE" value="4" />
</indentOptions>
<arrangement>
<rules>
<section>
<rule>
<match>
<AND>
<NAME>xmlns:android</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>xmlns:.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*:id</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*:name</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>name</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>style</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>^$</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>http://schemas.android.com/apk/res/android</XML_NAMESPACE>
</AND>
</match>
<order>ANDROID_ATTRIBUTE_ORDER</order>
</rule>
</section>
<section>
<rule>
<match>
<AND>
<NAME>.*</NAME>
<XML_ATTRIBUTE />
<XML_NAMESPACE>.*</XML_NAMESPACE>
</AND>
</match>
<order>BY_NAME</order>
</rule>
</section>
</rules>
</arrangement>
</codeStyleSettings>
<codeStyleSettings language="kotlin">
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</codeStyleSettings>
</code_scheme>

View File

@ -1 +0,0 @@
com.android.layoutlib.native

View File

@ -1,128 +0,0 @@
[
{
"repositoryUrl": "https://jetbrains.bintray.com/intellij-redist",
"artifacts": [
{
"groupId": "junit",
"artifactId": "junit",
"annotations": {
"[4.0, 5.0)": {
"groupId": "org.jetbrains.externalAnnotations.junit",
"artifactId": "junit",
"version": "4.12-an1"
}
}
},
{
"groupId": "org.hamcrest",
"artifactId": "hamcrest-core",
"annotations": {
"[1.0, 1.3)": {
"groupId": "org.jetbrains.externalAnnotations.org.hamcrest",
"artifactId": "hamcrest-core",
"version": "1.3-an1"
}
}
},
{
"groupId": "com.fasterxml.jackson.core",
"artifactId": "jackson-core",
"annotations": {
"[2.0, 3.0)": {
"groupId": "org.jetbrains.externalAnnotations.com.fasterxml.jackson.core",
"artifactId": "jackson-core",
"version": "2.9.6-an1"
}
}
},
{
"groupId": "com.fasterxml.jackson.core",
"artifactId": "jackson-databind",
"annotations": {
"[2.0, 3.0)": {
"groupId": "org.jetbrains.externalAnnotations.com.fasterxml.jackson.core",
"artifactId": "jackson-databind",
"version": "2.9.6-an1"
}
}
},
{
"groupId": "com.miglayout",
"artifactId": "miglayout-swing",
"annotations": {
"[5.0, 5.1]": {
"groupId": "org.jetbrains.externalAnnotations.com.miglayout",
"artifactId": "miglayout-swing",
"version": "5.1-an1"
}
}
},
{
"groupId": "io.netty",
"artifactId": "netty-buffer",
"annotations": {
"[4.0, 4.2)": {
"groupId": "org.jetbrains.externalAnnotations.io.netty",
"artifactId": "netty-buffer",
"version": "4.1.27.Final-an1"
}
}
},
{
"groupId": "io.netty",
"artifactId": "netty-common",
"annotations": {
"[4.0, 4.2)": {
"groupId": "org.jetbrains.externalAnnotations.io.netty",
"artifactId": "netty-common",
"version": "4.1.27.Final-an1"
}
}
},
{
"groupId": "io.netty",
"artifactId": "netty-resolver",
"annotations": {
"[4.0, 4.2)": {
"groupId": "org.jetbrains.externalAnnotations.io.netty",
"artifactId": "netty-resolver",
"version": "4.1.27.Final-an1"
}
}
},
{
"groupId": "io.netty",
"artifactId": "netty-transport",
"annotations": {
"[4.0, 4.2)": {
"groupId": "org.jetbrains.externalAnnotations.io.netty",
"artifactId": "netty-transport",
"version": "4.1.27.Final-an1"
}
}
},
{
"groupId": "org.picocontainer",
"artifactId": "picocontainer",
"annotations": {
"[1.0, 1.2]": {
"groupId": "org.jetbrains.externalAnnotations.org.picocontainer",
"artifactId": "picocontainer",
"version": "1.2-an1"
}
}
},
{
"groupId": "org.yaml",
"artifactId": "snakeyaml",
"annotations": {
"[1.20, 1.3)": {
"groupId": "org.jetbrains.externalAnnotations.org.yaml",
"artifactId": "snakeyaml",
"version": "1.23-an1"
}
}
}
]
}
]

View File

@ -1,8 +0,0 @@
<application>
<component name="AndroidFirstRunPersistentData">
<version>1</version>
</component>
<component name="whatsNew">
<shownVersion>4.2.0rc21</shownVersion>
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="EditorColorsManagerImpl">
<global_color_scheme name="Darcula" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="DefaultFont">
<option name="FONT_FAMILY" value="SauceCodePro Nerd Font" />
</component>
</application>

View File

@ -1,8 +0,0 @@
<application>
<component name="FileTypeManager" version="17">
<extensionMap>
<mapping ext="webp" type="Image" />
<mapping ext="main.kts" type="Kotlin" />
</extensionMap>
</component>
</application>

View File

@ -1,7 +0,0 @@
<application>
<component name="FindSettings">
<option name="customScope" value="All Places" />
<option name="defaultScopeName" value="All Places" />
<option name="SEARCH_SCOPE" value="All Places" />
</component>
</application>

View File

@ -1,8 +0,0 @@
<application>
<component name="GeneralSettings">
<option name="showTipsOnStartup" value="false" />
</component>
<component name="Registry">
<entry key="external.system.auto.import.disabled" value="true" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="LafManager">
<laf class-name="com.intellij.ide.ui.laf.darcula.DarculaLaf" />
</component>
</application>

View File

@ -1,6 +0,0 @@
<application>
<component name="NotificationConfiguration">
<notification groupId="Build sync orphan modules" displayType="NONE" shouldLog="false" />
<notification groupId="Gradle Notification Group" displayType="NONE" shouldLog="false" />
</component>
</application>

View File

@ -1,10 +0,0 @@
<application>
<component name="ProjectManager">
<defaultProject>
<component name="PropertiesComponent">
<property name="android.sdk.path" value="$USER_HOME$/Android/Sdk" />
<property name="settings.editor.selected.configurable" value="AndroidSdkUpdater" />
</component>
</defaultProject>
</component>
</application>

View File

@ -1,188 +0,0 @@
<application>
<component name="TextMateSettings">
<option name="bundles">
<list>
<BundleConfigBean>
<option name="name" value="coffeescript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/coffeescript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="scss" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/scss" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="git" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/git" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="vb" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/vb" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shellscript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shellscript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="markdown-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/markdown-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="javascript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/javascript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="bat" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/bat" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="html" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/html" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="search-result" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/search-result" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="mdx" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/mdx" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="clojure" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/clojure" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="typescript-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/typescript-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="hlsl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/hlsl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="less" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/less" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="rust" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/rust" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ruby" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ruby" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ini" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ini" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="perl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/perl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="objective-c" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/objective-c" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="pug" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/pug" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="java" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/java" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="docker" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/docker" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="json" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/json" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="lua" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/lua" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="python" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/python" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="powershell" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/powershell" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="cpp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/cpp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="groovy" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/groovy" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="handlebars" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/handlebars" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="xml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/xml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="yaml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/yaml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="razor" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/razor" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="go" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/go" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="make" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/make" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="css" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/css" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="kotlin" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/kotlin" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="sql" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/sql" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shaderlab" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shaderlab" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="csharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/csharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="fsharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/fsharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="r" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/r" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="log" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/log" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="swift" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/swift" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="php" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/php" />
</BundleConfigBean>
</list>
</option>
</component>
</application>

View File

@ -1,9 +0,0 @@
<application>
<component name="VisualizationTool">
<option name="state">
<GlobalState>
<option name="firstTimeOpen" value="false" />
</GlobalState>
</option>
</component>
</application>

View File

@ -1,3 +0,0 @@
# custom Android Studio VM options, see https://developer.android.com/studio/intro/studio-config.html
-Xmx2048m
-Djbre.popupwindow.settype=false

View File

@ -1,19 +0,0 @@
**/eval
**/port.lock
**/workspace
**/idea64.vmoptions
**/options/actionSummary.xml
**/options/extensionsRootType.xml
**/options/path.macros.xml
**/options/scala.xml
**/options/jdk.table.xml
**/options/other.xml
**/options/recentProjects.xml
**/options/updates.xml
**/options/usage.statistics.xml
**/options/vim_settings.xml
**/options/window.state.xml
**/options/*statistics.xml
**/options/*local.xml
**/port
**/extensions

View File

@ -1,5 +0,0 @@
<application>
<component name="EditorColorsManagerImpl">
<global_color_scheme name="Darcula" />
</component>
</application>

View File

@ -1,7 +0,0 @@
<application>
<component name="CPPToolchains" version="4">
<toolchains detectedVersion="5">
<toolchain name="Default" toolSetKind="SYSTEM_UNIX_TOOLSET" debuggerKind="BUNDLED_GDB" />
</toolchains>
</component>
</application>

View File

@ -1,13 +0,0 @@
<application>
<component name="XDebuggerSettings">
<data-views />
<general />
<debuggers>
<debugger id="javascript">
<configuration>
<custom-object-presentation />
</configuration>
</debugger>
</debuggers>
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="GeneralSettings">
<option name="showTipsOnStartup" value="false" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="LafManager">
<laf class-name="com.intellij.ide.ui.laf.darcula.DarculaLaf" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="ProfilerRunConfigurations">
<profilerRunConfigurations />
</component>
</application>

View File

@ -1,11 +0,0 @@
<application>
<component name="ProjectManager">
<defaultProject>
<component name="CMakeSettings">
<configurations>
<configuration PROFILE_NAME="Debug" CONFIG_NAME="Debug" />
</configurations>
</component>
</defaultProject>
</component>
</application>

View File

@ -1,184 +0,0 @@
<application>
<component name="TextMateSettings">
<option name="bundles">
<list>
<BundleConfigBean>
<option name="name" value="sql" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/sql" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="r" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/r" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ini" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ini" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="css" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/css" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="hlsl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/hlsl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="json" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/json" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="docker" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/docker" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ruby" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ruby" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="csharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/csharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="html" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/html" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="java" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/java" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="clojure" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/clojure" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="bat" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/bat" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="perl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/perl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="git" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/git" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="scss" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/scss" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="powershell" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/powershell" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="search-result" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/search-result" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="coffeescript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/coffeescript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="go" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/go" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shellscript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shellscript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="make" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/make" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="xml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/xml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="yaml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/yaml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="log" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/log" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="php" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/php" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="vb" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/vb" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shaderlab" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shaderlab" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="less" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/less" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="python" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/python" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="razor" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/razor" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="pug" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/pug" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="handlebars" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/handlebars" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="groovy" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/groovy" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="typescript-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/typescript-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="lua" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/lua" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="markdown-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/markdown-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="cpp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/cpp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="objective-c" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/objective-c" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="rust" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/rust" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="fsharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/fsharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="swift" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/swift" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="mdx" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/mdx" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="javascript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/javascript" />
</BundleConfigBean>
</list>
</option>
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="VcsApplicationSettings">
<option name="COMMIT_FROM_LOCAL_CHANGES" value="true" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<code_scheme name="Default" version="173">
<ScalaCodeStyleSettings>
<option name="MULTILINE_STRING_CLOSING_QUOTES_ON_NEW_LINE" value="true" />
</ScalaCodeStyleSettings>
</code_scheme>

View File

@ -1,5 +0,0 @@
<application>
<component name="EditorColorsManagerImpl">
<global_color_scheme name="Darcula" />
</component>
</application>

View File

@ -1,120 +0,0 @@
<application>
<component name="DebuggerSettings">
<filter>
<option name="PATTERN" value="com.sun.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="java.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="javax.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.omg.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="sun.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="jdk.internal.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="junit.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.intellij.rt.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.yourkit.runtime.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.springsource.loaded.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.springsource.loaded.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="javassist.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.apache.webbeans.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.ibm.ws.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
</component>
<component name="XDebuggerSettings">
<data-views />
<general />
<debuggers>
<debugger id="kotlin_debugger">
<configuration>
<option name="DEBUG_IS_FILTER_FOR_STDLIB_ALREADY_ADDED" value="true" />
</configuration>
</debugger>
</debuggers>
</component>
</application>

View File

@ -1,9 +0,0 @@
<application>
<component name="GeneralSettings">
<option name="showTipsOnStartup" value="false" />
</component>
<component name="Registry">
<entry key="BSP.system.in.process" value="true" />
<entry key="SBT.system.in.process" value="true" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="LafManager">
<laf class-name="com.intellij.ide.ui.laf.darcula.DarculaLaf" />
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="MarkdownApplicationSettings">
<MarkdownCssSettings />
</component>
</application>

View File

@ -1,3 +0,0 @@
<application>
<component name="MavenVersion" mavenHome="$APPLICATION_HOME_DIR$/plugins/maven/lib/maven3" />
</application>

View File

@ -1,13 +0,0 @@
<application>
<component name="RunnerLayoutSettings">
<runner id="JavaRunner">
<ViewImpl>
<option name="ID" value="ConsoleContent" />
<option name="placeInGrid" value="bottom" />
</ViewImpl>
<TabImpl>
<option name="bottomProportion" value="0.0" />
</TabImpl>
</runner>
</component>
</application>

View File

@ -1,5 +0,0 @@
<application>
<component name="ApplicationCodeStyleSettingsMigration">
<option name="version" value="1" />
</component>
</application>

View File

@ -1,184 +0,0 @@
<application>
<component name="TextMateSettings">
<option name="bundles">
<list>
<BundleConfigBean>
<option name="name" value="sql" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/sql" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="r" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/r" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ini" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ini" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="css" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/css" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="hlsl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/hlsl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="json" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/json" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="docker" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/docker" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="ruby" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/ruby" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="csharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/csharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="html" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/html" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="java" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/java" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="clojure" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/clojure" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="bat" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/bat" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="perl" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/perl" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="git" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/git" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="scss" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/scss" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="powershell" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/powershell" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="search-result" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/search-result" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="coffeescript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/coffeescript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="go" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/go" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shellscript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shellscript" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="make" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/make" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="xml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/xml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="yaml" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/yaml" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="log" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/log" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="php" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/php" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="vb" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/vb" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="shaderlab" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/shaderlab" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="less" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/less" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="python" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/python" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="razor" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/razor" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="pug" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/pug" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="handlebars" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/handlebars" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="groovy" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/groovy" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="typescript-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/typescript-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="lua" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/lua" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="markdown-basics" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/markdown-basics" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="cpp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/cpp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="objective-c" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/objective-c" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="rust" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/rust" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="fsharp" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/fsharp" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="swift" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/swift" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="mdx" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/mdx" />
</BundleConfigBean>
<BundleConfigBean>
<option name="name" value="javascript" />
<option name="path" value="$APPLICATION_HOME_DIR$/plugins/textmate/lib/bundles/javascript" />
</BundleConfigBean>
</list>
</option>
</component>
</application>

View File

@ -1,11 +0,0 @@
<code_scheme name="Default" version="173">
<JetCodeStyleSettings>
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</JetCodeStyleSettings>
<ScalaCodeStyleSettings>
<option name="MULTILINE_STRING_CLOSING_QUOTES_ON_NEW_LINE" value="true" />
</ScalaCodeStyleSettings>
<codeStyleSettings language="kotlin">
<option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" />
</codeStyleSettings>
</code_scheme>

View File

@ -1,3 +0,0 @@
<profile version="1.0">
<option name="myName" value="Default" />
</profile>

View File

@ -1,5 +0,0 @@
<application>
<component name="EditorColorsManagerImpl">
<global_color_scheme name="Darcula" />
</component>
</application>

View File

@ -1,120 +0,0 @@
<application>
<component name="DebuggerSettings">
<filter>
<option name="PATTERN" value="com.sun.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="java.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="javax.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.omg.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="sun.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="jdk.internal.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="junit.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.intellij.rt.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.yourkit.runtime.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.springsource.loaded.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.springsource.loaded.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="javassist.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="org.apache.webbeans.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="com.ibm.ws.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
<filter>
<option name="PATTERN" value="kotlin.*" />
<option name="ENABLED" value="true" />
<option name="INCLUDE" value="true" />
</filter>
</component>
<component name="XDebuggerSettings">
<data-views />
<general />
<debuggers>
<debugger id="kotlin_debugger">
<configuration>
<option name="DEBUG_IS_FILTER_FOR_STDLIB_ALREADY_ADDED" value="true" />
</configuration>
</debugger>
</debuggers>
</component>
</application>

Some files were not shown because too many files have changed in this diff Show More