Modders Resources
Skyrim resources for other mods or modders to make use of
46 files
-
PapyrusUtil LE/SE/AE
By Ashal
Which file to download:
For Skyrim LE (Oldrim): PapyrusUtil LE v33.zip
For Skyrim SE (Pre-AE, 1.5.x runtime): PapyrusUtil SE v39.zip
For Skyrim SE/AE (1.6.x+ runtime): PapyrusUtil AE v43.zip
1. Description
SKSE plugin that allows you to save any amount of int, float, form and string values on any form or globally from papyrus scripts. Also supports lists of those data types. These values can be accessed from any mod allowing easy dynamic compatibility.
Also adds the following papyrus commands:
Toggle fly cam and set fly cam speed - TFC. Set menus on / off - TM. Adds an additional package stack override on actors. See ActorUtil.psc Replace any animations on selected objects. See ObjectUtil.psc Print messages to console. Get, set, save, or and load data to a custom external JSON file. See JsonUtil.psc
PapyrusUtil.psc - version check & variable initialized arrays.
StorageUtil.psc - store variables and lists of data on a form that can be pulled back out using the form and variable name as keys. See psc file for documentation.
JsonUtil.psc - Similar to StorageUtil.psc but saves data to custom external .json files instead of forms, letting them be customizable out of game and stored independent of a users save file.
ActorUtil.psc - actor package override.
ObjectUtil.psc - animation replacement.
MiscUtil.psc - some misc commands.
2. Examples
Example 1:
Setting and getting simple values
StorageUtil.SetIntValue(none, "myGlobalVariable", 5) ; // enter none as first argument to set global variableStorageUtil.SetIntValue(Game.GetPlayer(), "myVariable", 25) ; // set "myVariable" to 25 on playerStorageUtil.SetFloatValue(akTarget, "myVariable", 75.3) ; // set "myVariable" to 75.3 on akTargetStorageUtil.SetStringValue(none, "myGlobalVariable", "hello") ; // enter none as first argument to set global variableint ivalue1 = StorageUtil.GetIntValue(none, "myGlobalVariable") ; // get the previously saved global variableint ivalue2 = StorageUtil.GetIntValue(Game.GetPlayer(), "myVariable") ; // get value of myVariable from player; // myGlobalVariable can exist both as int and string at the same time.; // Different type values are separate from each other.float fvalue = StorageUtil.GetFloatValue(akTarget, "myVariable") ; // get float value from akTargetstring svalue1 = StorageUtil.GetStringValue(none, "myGlobalVariable") ; // get "hello"string svalue2 = StorageUtil.GetStringValue(none, "myMissingVariable", "goodbye") ; // get "goodbye"; // an optional 3rd variable can be passed in the Get function to be returned if the given key "myMissingVariable" doesn't exists.
Example 2:
Saving object references
Actor akCasterActor akTargetStorageUtil.SetFormValue(akTarget, "Friend", akCaster)Actor friend = StorageUtil.GetFormValue(akTarget, "Friend") as Actor
Example 3:
Value lists
StorageUtil.IntListAdd(none, "myGlobalList", 5)StorageUtil.IntListAdd(none, "myGlobalList", 27)StorageUtil.IntListAdd(none, "myGlobalList", 183)StorageUtil.IntListAdd(none, "myGlobalList", 3)StorageUtil.IntListAdd(none, "myGlobalList", -12398); // iterate list from last added to first addedint valueCount = StorageUtil.IntListCount(none, "myGlobalList")while(valueCount > 0) valueCount -= 1 Debug.Notification("List[" + valueCount + "] = " + StorageUtil.IntListGet(none, "myGlobalList", valueCount))endwhile; // iterate list from first added to last addedvalueCount = StorageUtil.IntListCount(none, "myGlobalList")int i = 0while(i < valueCount) Debug.Notification("List[" + i + "] = " + StorageUtil.IntListGet(none, "myGlobalList", o)) i += 1endwhile; // Get the 2nd, 3rd, and 4th elements of the list into an arrayint[] myList = new int[3]StorageUtil.IntListSlice(none, "myGlobalList", myList, 1) ; // starts pulling elements from the list starting from from the 1 index; // skipping the 0 index value, "5" will fill the papyrus array until it runs out of either list or papyrus array elementsDebug.Notification("2nd: " + myList[0]) ; // prints "2nd: 27"Debug.Notification("3rd: " + myList[1]) ; // prints "3rd: 183"Debug.Notification("4th: " + myList[2]) ; // prints "4th: 3"; // remove 27 from the listStorageUtil.IntListRemove(none, "myGlobalList", 27); // remove last element of listStorageUtil.IntListRemoveAt(none, "myGlobalList", StorageUtil.IntListCount(none, "myGlobalList") - 1); // set first element to -7StorageUtil.IntListSet(none, "myGlobalList", 0, -7); // find first occurance of element in listint index = StorageUtil.IntListFind(none, "myGlobalList", 183)if(index < 0) Debug.Notification("Not found!")else Debug.Notification("Element 183 is at index " + index)endif; // clear listStorageUtil.IntListClear(none, "myGlobalList"); // create a new list from a papyrus arrayfloat[] newList = new float[3]newList[0] = 4.04newList[1] = 39.2newList[2] = -42.25StorageUtil.FloatListCopy(PlayerRef, "myCopiedList", newList)Debug.Notification("Copied value 0 = " +StorageUtil.FloatListGet(PlayerRef, "myCopiedList", 0)) ; // 4.04Debug.Notification("Copied value 1 = " +StorageUtil.FloatListGet(PlayerRef, "myCopiedList", 1)) ; // 39.2Debug.Notification("Copied value 2 = " +StorageUtil.FloatListGet(PlayerRef, "myCopiedList", 2)) ; // -42.25
Example 4:
Saving values that are shared among all savegames in an externally saved file.
JsonUtil.SetIntValue("MyModConfig.json", "AnswerToLifeUniverseEverything", 42); // (optional) Save any changes made to your file and creates it if it does not yet exists.; // This is done automatically without needing to be done manually whenever a player saves their game.; // Files are saved and loaded from Skyrim/data/SKSE/Plugins/StorageUtilDataJsonUtil.Save("MyModConfig.json") ; // ... Start a new game ...int mySetting = JsonUtil.GetIntValue("MyModConfig.json", "AnswerToLifeUniverseEverything") ; // mySetting == 3; // Alternative version using the globally shared external file; // All mods using these commands share this file, saved/loaded from Skyrim/data/SKSE/Plugins/StorageUtil.jsonStorageUtil.SetIntValue("AnswerToLifeUniverseEverything", 42); // ... Start a new game ...int mySetting = StorageUtil.GetIntValue("AnswerToLifeUniverseEverything") ; mySetting == 3
3. Requirements
SKSE latest version: http://skse.silverlock.org/
Address Library for SKSE Plugins: https://www.nexusmods.com/skyrimspecialedition/mods/32444
4. Installing
Use mod manager or extract files manually.
5. Uninstalling
Remove the files you added in Installing step.
6. Updating
Just overwrite all files.
7. Compatibility & issues
Should be compatible with everything.
8. Credits
Ashal - continued maintenance & refactoring of original plugin's source code
h38fh2mf - original version, idea, address library conversion
SKSE team - for making this plugin possible
milzschnitte - for suggestions
eventHandler, Expired, aers, arha, ianpatt - SKSE64 conversion & update assistance
381,822 downloads
Updated
-
jewelry Women's wedding ring and engagement ring combo 3D model modder's resource.
By BBTBBN
3D model (Blender 3.0) modder's resource of a women's wedding ring and engagement ring combo.
This is meant to either replace, or serve as a substitute for the default band of matrimony model.
It is meant for female characters and is intended to be fitted onto the left-hand ring finger.
Comes in gold, silver, and black versions.
113 downloads
Submitted
-
Daedric Containers / Furnitures
By Vader666
These are more or less deadric themed containers i need for something im working on.
They have working collision and animations, you just need to assign the model to a container form in your .esp
Feel free to use it as you like.
128 downloads
Updated
-
MFG Console +
By zstj
This is a modder's resource, which does not do anything on it's own. Install it only as a dependency of other mods, or if you are planning to use it in your mod.
MFG Console plus is a monkey-patched version of original MFG Console by kapaer https://www.nexusmods.com/skyrim/mods/44596
Also note that it now requires StorageUtil from Papyrus Utility Scripting functions or Sexlab.
It is the same as original mod with one new feature - expression locking.
In original if mod A does this:
MfgConsoleFunc.SetPhonemeModifier(myActorRef, 0, 1, 50) And mod B this
MfgConsoleFunc.SetPhonemeModifier(myActorRef, 0, 1, 30) Actor will end up with value 30, and mod A has no way to know of this change, that expression it set was overwritten.
With plus version, mod A can prevent any other mods from modifying it:
MfgConsoleFunc.LockPhonemeModifier(myActorRef, 0, 1) MfgConsoleFunc.SetPhonemeModifier(myActorRef, 0, 1, 50) Then, when mod B tries to overwrite expression, instead of changing expression MFG will emit event MfgExpressionLocked, wich mod A can catch and process
Event OnInit() RegisterForModEvent("MfgExpressionLocked", "OnExLocked") EndEvent Event OnExLocked(Actor akRef, int mode, int id, int value) Debug.Notification("I should process expression change") EndEvent Expression can be unlocked back with
MfgConsoleFunc.LockPhonemeModifier(myActorRef, 0, 1) If for whatever reason you want to bypass expression locks, you can do it with 5th parameter set to true
MfgConsoleFunc.SetPhonemeModifier(myActorRef, 0, 1, 30, true) )
956 downloads
Updated
-
XunAmarox Modder's Resource
By XunAmarox
Description
I'll add some more stuff later after I finish my current project but I feel that these two things are severely needed by the modding community so I want to get them out there right away.
What's Included
As of right now there are just three scripts: One to create custom displays (e.g. for stuff like elder scrolls, thieves guild stuff, daedric artifacts, or whatever you want!), another for a disenchanting font which removes all enchantments and improvements from an item placed in a container and returns it to the player. Well, you could call it a renewal font or whatever you want since it pretty much renews the item to its original state before anything was done to it. And as of 1.3 a script to display animated objects (toggle their animation on/off) much like the display script does but it's set up for the Auriel's Bow Pedestal (a static version of it) so you'll need to edit the source and rename it for any other animated object you want to use it for.
I've also included an esp with a small test cell with the scripts implemented so you can study how the scripts work. You can go to the area via console with "coc 0xtestlab" and it's in the CK under 0xTestLab right at the top. As of 1.3 it's probably not too useful for showing the newer features. I recommend just taking a look at my Stormcrown Estate mod to see how I implemented the scripts if you're having issues.
Tip: To create a static object of any item you don't need to extract it from the BSA just edit it in the Object Window and copy the entire line it lists under Model, something like Clutter\Containers\Satchel.nif and then when you create a new static object make sure you're in your Meshes folder then just paste that address and click Open.
How to use
aaXunDisplayScript
-Create a static item that will be what you are displaying and set it to initially disabled.
-Create a container (set to not respawn), and hide it off of the map like under the floor or behind a wall or something (hiding it is optional but recommended).
-Add the script to a new trigger.
-Go to Primitives tab and make sure player activation is checked.
-Go to the scripts tab and then Properties and click Auto-Fill.
-Hover over various sections for descriptions, it should be intuitive.
Only one of DisplayArmor, DisplayWeapon, DisplayItem, DisplayBook, or DisplaySoulGem, should be used at a time and should point to the original item's BaseID. The words after Display are the category it falls under - Item is for MiscItem.
DisplayReference should link to the disabled static item you added earlier, the script will enable/disable it based on whether the real item is added or not.
DisplayContainer should link to the hidden container you created earlier. It doesn't need to be unique, you can use one container for your entire display setup.
When activated, the script should take the item out the player's inventory, move it to the container, and enable the static item. When activated again it will disable the static item and move the item back to the player's inventory. Any improvements or enchantments will have been retained.
aaXunDisenchantingScript
-Add the script to a container, any container will do.
-Create a new Global under Miscellaneous/Global called RFontGlobal with variable type of short, value set to 0, and Constant left unchecked.
-Create a new message under Miscellaneous/Message called RenewalFontMSG and keep Message box checked, inside the text box add a warning letting the user know what's happeing for instance "Items you place here will have all improvements and enchantments removed." or something.
-Go to properties in the script and click Auto-Fill.
-Done. Script will now work, any item added will be "disenchanted" and renewed to its original state. It'll also remove any smithing improvements done or renaming. Additionally, on its first activation the user will get the help pop-up that you wrote earlier.
aaXunDisplayScriptAnim
Currently this one only works for the Auriel's Bow pedestal which you'd want to create a static object for. If you wanted to use it for a different object you'd need to edit the source and change "AnimIdle01" and "AnimIdle02" to the appropriate animations but if you're going to do that then ensure you change the name of your script before distributing it so it doesn't conflict with anyone else's. The animation names are listed when you prevew an item (right click > preview)
To set this one up you need to place a static copy of auriel's bow pedestal and then create an activator and add this script to the activator.
--Go to Primitives tab and make sure player activation is checked for your activator.
-Open the script and hit auto-fill, PlayerRef and defaultLackTheItemMSG should be filled for you.
-Set the DisplayContainer to the hidden container where the bow will be stored for safekeeping.
-Set the DisplayAnim to the static copy of the auriel's bow pedestal
-Set the DisplayWeapon to Auriel's Bow (DLC1AurielsBow)
Hit OK.
Permission
This is a modder's resource. You are free to re-use it, modify it, and include it in your mods as much as you want as long as credit is given.
Changelog
Version 1.1
-DisplayItem renamed to DisplayMiscItem to avoid confusion.
-Linking the static reference to enable/disable to the activator is no longer required. It was just an oversight as we already set it in the script, now the script uses that variable rather than checking for linked references. It should be easier to do multiple displays now.
Version 1.0
Initial release.
20 downloads
Submitted
-
NMM Installer Tutorial - FOMOD - FOMM
By XunAmarox
This is a tutorial and example file of how to make a fomod NMM installer for your mod. Inside the download you'll find an Instructions.rtf - read it. It'll explain all of the tags of the xml files required, what they do, and how to use them. Some example xml files are also provided so that you can see how it's done.
Personally I wanted one when I was trying to figure out how to make an NMM installer but I simply couldn't find one. The only ones I could find were extremely long and far more complicated than they needed to be. This one just covers the basics of exactly what you need to do to make yours work for your mod.
I go into detail with what all of the tags and fields do, to a point, but if you have a basic grasp of any kind of code, even basic HTML or BBCode will do, then you can probably just check out the provided xml files and you'll have a pretty good idea of what's going on and what you need to do and then you can check the instruction file if you come up with any questions you need to reference.
If you've looked at the xml files and read everything in the Instructions.rtf and are still scratching your head then it may be helpful to go ahead and head on over to my CBBE Innies mod that I based this installer on (WARNING: It's NSFW and contains adult content, and nudity). You can download that file manually and check out how I have the xml files set up. They should be almost identical to this but with the fields filled in so you can see how one works in action if you can't figure it out. It shouldn't be necessary, but I'm just going to suggest that as a last resort.
Also as an important note: I didn't mention in the instructions that you'll need to open the xml file with notepad (or ideally something like Notepad++ for syntax highlighting), because you're not going to get much use out of it if you just double click it and let it open in your browser. So make sure you're editing it with the text editor of your choice.
Changelog:
1.2 - August 26th 2013
-It turns out that NMM isn't actually smart enough to install your mod if you only put the source folder and leave the destination blank. It'll go all the way through then when you click finish it'll say "Mod Not Activated" - this is at present time of editing with NMM 1.45.6. Each file needs to be explicitly defined and linked to.
1.1 - August 9th 2013
-added information explaining Flags and made the moduleConfig much more complex
-a simple moduleConfig is still included
-added information about file source and destination that will save people a lot of time
-explained what the config tag up at the top of the xml file does just to make a certain someone happy
1.0 - August 2nd 2013
-initial release
Permissions
Don't upload this anywhere else.
You have my permission to translate this mod to your language and do not need permission to upload a translation to this site or any other as long as it is very clearly credited to me originally. You only need to send me a message informing me that you've made a translation.
60 downloads
Submitted
-
HuossaDraco
By grawi
Кому-то не хватает костей, познакомлю с маленьким драконом очень страшным и опасным)))
так же как и остальные моды - можешь использовать как хочешь,
модель я взял из игры dragon's prophet.
вы можете редактировать и добавлять в свои сборки
HuossaDraco> Humus ossa Draco> Ground Skeleton Dragon ( Swe-DivX )
301 downloads
Updated
-
Werewolf Head Resource
By MadMansGun
Werewolf Head Resource (V1.0)
Made by MadMansGun
these are the werewolf heads from my Hermaphrodite Werewolves mod.
this has been released as a modders resource because i hate the original & MLT heads.
----------------------------------------------------------
the files in this 7zip are for the following:
For Moutarde421 Female:
this is made to fit the Female werewolf body made by Moutarde421
For Everything Else:
this will fit most other bodies like...
the original skyrim Werewolf
Derrax's Male Werewolves
HDT Werewolves by Jacques00
----------------------------------------------------------
Note: if you replace the "BSLightingShaderProperty" with your own, go to "Shader Flags 2" and enable "SLSF2_Double_Sided"
unlike the original mesh, this mesh requires Double sided rendering.
----------------------------------------------------------
.___.
{0,0} ________________________________________________
/)__)> |creative commons, give credit, No One May Profit|
-"-"- """"""""""""""""""""""""""""""""""""""""""""""""""
here is a compatible tutorial for using this resource:
http://www.loverslab.com/files/file/2418-howto-dick-with-nifskope/
note: use Ctrl+Delete to remove the old head and teeth mesh.
164 downloads
Updated
-
one galaxy sky mesh
By MadMansGun
edits the sky mesh so there is only one galaxy circling the world, not 3 copies of one.
do note that it will need texture editing to look good, eg: if using "HQ Milky way galaxy" ( https://www.nexusmods.com/skyrim/mods/810/? ) you will need to crop it down to 4096x768
if your using a different galaxy texture then i would suggest going up to 6114x1024(tested and works) or 12288x2048(not tested) and combining it with other textures for a more impressive sky (Eg: see the screenshot)
...also you should go get the "High-density starfield" from "Enhanced Night Skyrim" ( https://www.nexusmods.com/skyrim/mods/85/? )
174 downloads
Updated
-
Full Body Collisions
By Gameothic
So, I watched some dint 999 tutorials on HDT and he has a full collision body that doesn't seen to be included in his tools pack (at least I didn't find it)
I made my own and I'm willing to share it with you to save your time going through this painfully tedious work.
You may need to change some capsules radius to match your hair/clothes. Do this under TaperCapsule instead of rescaling it (works best for accuracy in my opinion)
Requirements:
-3ds Max 2011
-Havok content tools 2012-2
-Niftools
-Autopilot 1.0
Good luck in your mods ^^
276 downloads
- hdt
- modder resource
- (and 4 more)
Submitted
-
Furniture Alignment Correction for NPC´s (No esp)
By Pamatronic
This is a very small script which can be attached to furnitures, to correct the position of NPC´s entering said furnitures.
If you have ever used something from Zap, you should know the problem.
this mod ads the script "pamaFurnitureAlignmentHelper"
attach it to any furniture added by a mod, and the problem should be gone.
install with mod manager of your choice or drop manually into data folder (Or your own mod Folder if you want to make new furnitures yourself.)
The propertys can safely be ignored. only use them for Furnitures which have An Offset to their entry points.
(vast majority of Furnitures don't have one. IF they do, you can find the values for them with nifscope in their respective .nif Files)
Full sourceCode:
enjoy!
3,801 downloads
Updated
-
Huan's Voice File Powershell
By huanrenfeng
four powershell files currently, might be more
These commands are made for modders who want to import existing voice files to their own mod.
removeXwm
wavLip2Fuz
deleteWavAndLip
copyVoices
they are ps1 files, use Notepad or other text editor to open. But I suggest using Windows Powershell ISE
Replace the parameters and directories in the file to fit your needs. It's mandatory.
Need to have the xWMAEncode.exe and the fuz_extractor.exe ( I downloaded "LazyAudio" and have them in its folder )
Details:
These commands are made for modders who want to edit voice files in their own mod.
So you need to want to add some dialogues and want to do some voice over. Then you may find out that the original valina game has exactly the words. That's where the powershells are going to be in use.
Skyrim Add Voice Basics:
https://www.creationkit.com/index.php?title=Adding_Voice_Intermediate_Tutorial
http://variedvoices.weebly.com/replacingadding-new-dialogue-audio-in-the-creation-kit.html
Once you learned all the stuff in the basics, you can continue.
So once we press save in the "Edit Response Window", the ck saves the temp.wav to all the voicetype folder for you. If your dialogue is only valid for one or two voiceType then that's not a big deal. You can assign your dialogue to one voicetype, save it and assign the dialogue to another, record and save again.
The problem happens when you are making voice for every possible voiceType and using valina audio resource. You might feel tired to do the procedure again and again. (Expecially the copy, convert and delete procedure repeatly in each voicetype folder)
Then you may use the "copyVoices" powershell. It copies valina resources directly in your mod's sound folder.
And if you've already have wav and lip files of many different voice types in your mod folder, then you can use “wavLip2Fuz” to convert them to fuz in a minute!
The shell is useful because unlike "LazyAudio" or other tools, the shell convert the files exactly in their own place, so you don't need to copy them to the audio folder LazyAudio told you to, and you don't need to copy the converted files back as well
If you don't want a voice of a line any more, you can use "removeXwm" or "deleteWavAndLip" to quickly delete them! Replace the dialogue name parameter in the file to delete your file. Change the extension in the powershell to "lip", "wav" or "fuz" to remove the type you want to remove. These are very useful because the creationkit itself won't delete any files for you!
Safety
you might need to unlock the powershell file by right click -> property -> unlock. See https://4sysops.com/archives/powershell-bypass-executionpolicy-to-run-downloaded-scripts/
My files are completely ok because they are shell commands. You can examine them by yourself.
82 downloads
Updated
-
3ds max Creature controller rig
By PsycheHHH
Just a simple rig of trolls for modders.
(Can't find trolls\Werewolf legacy rig, so I made it)
If you got some bug, tell me about that and I 'll fix it.
if you got error coz wrong skew\scale when exporting, check this:
Really thanks to babo (ABC)
275 downloads
Updated
-
Thor Infinity War Models and Textures Resource Pack
By si811
Due to my lack of skill in making Armour I thought i'd put this here in case someone with more skill knows how to make this and upload it because I really want this armour in my game.
hopefully I am allowed to upload this but I am unsure as the assets are from Marvel Future Fight. If this does go against LL's terms and conditions I will take it down.
241 downloads
Updated
-
resource pack The Custom Voice Resource - CVR
By Kikiapplus
Welcome to the Custom Voice Resource!
Here in this resource are brand new voice types that will enhance your
Skyrim experience. There are over 100 lines of dialogue per voice type
and well over 1000 lines from all voice types! The files are in WAV format. They are not plug and play, they will require to be added to a follower of your choosing via Creation Kit. The download link will take you to the Nexus Mod page to download as the files were too large to upload directly.
Alternatively you can click here to download
Permissions of Use:
Supply credit link back to this page so that others may utilize this resource.
Credit the voice actor of the voice set you use and this page in your credits section.
Thank you.
02/21/2020 Update : Permissions have changed. Audio edits are now allowed in spirit of Nanoreno2020.
Credits:
Dialogue Writer: Kerstyn Unger
Voice Actress for Female Voice Types: Kerstyn Unger
Voice Actor for CHARMING: Christian Gaughf
Voice Actor for PURE/LILAC: Mr.Bromin SubStar Ko-Fi Youtube
Voice Actor for JADED/DAGGER: Blue Jei Twitter Ko-Fi
Voice Actor for TRADER/SQUALL: Jonas Fresh Twitter Ko-Fi
Female Voice Types:
(Viewable on Nexus)
Male Voice Types:
(Viewable on Nexus) Addons
Additional Player Voices Version
PC Headtracking and Voice Type Version
CVR Framework & SSE Version
Followers Available
Sahra The Pirate by damakarmelowa & SSE Version
Lilissa The Druid by damakarmelowa & SSE Version
Markus The Knight by damakarmelowa & SSE Version
Shalahad the Reaper by Liadys
Ariella by Kittyness & SSE Version
Seductress Faye by Xiderpunk
Beatrix by Taoxue & SSE Version
Xyviona SSE by ratBOY68
Nylvalyne SSE by ratBOY68
Kaelyn Tsai by sp4rkfist & SSE Version
Amethyst by THEpsyco44
Xanthe by ratBOY68
Tyas Wulandari by sp4rkfist & SSE Version
Sorsha the Ember by sp4rkfist
Dana'Ka & Sisters by WarMachinex0
Maria Theresa Standalone Follower by Taoxue & SSE Version
Fallout 4 Followers
Zoey by Gaming4lif3
James by Gaming4lif3
Jennifer by Gaming4lif3
Chloe by Gaming4lif3
Bella by Gaming4lif3
Gemma by Gaming4lif3839 downloads
Updated
-
Chest Resource
By Nameless God
Chest Resource
Join the Discord
This is a High Poly chest Resource/Replacer. Comes with custom meshes and textures.
Chest is also animated, using a modified Chest01.nif animation.
Chest01.nif Vanilla - 41kb
Chest01.nif "Mine" - 309kb
If you are looking for some more improvements to meshes and haven't looked at my SHIT MOD yet, it contains many improvements to areas and things not touched by normal mesh improvement mods, such as Riften's blocky railing.
Want a more dynamic world? Check out my Destructible Urns or my High Poly Animated SMP Barrels.
I made this because I was bored. Also there are only really 3 types of chests that appear in Skyrim, the basic chest, the regular Nordic chest, and the large Nordic Chest. More variety is always nice, now it just needs to be implemented.
Rules on Usage
-This resource can not be used in any form that would net monetary gain in any way.
-To make it easier to use based on credits, I require no credit, only a message that you will be using it, and preferably a mod link.
- View my other mods here -
278 downloads
Updated
-
Heels Sound
By ApoKrytia
Declaration
This is a reupload with permission. The original author is my friend ybsj520. Here is the original link: http://www.skycitizen.net/post/66517
Description
Ever think that high heels should have their own "click" sound? Now, the dream comes true!
This modder resource let high heels have standalone sound without replacing any vanilla sound files. Sound variants including different surfaces and movements. For now, there is only sounds for pumps.
From now on, I take care of the updates.
Requirement
Skyrim.
And of course any high heels mod.
Usage
Reassign the foot step set(in AA) of the high heels to "AngelFSTHeelsFootstepSet". The esp you modified will make "Heels Sound.esm" as master.
If you are using TESVEdit, you have to right click the esp to add "Heels Sound.esm" as master, first.
For newbie:
Open TESVEdit, right click and select none. Check Heels Sound.esm and the esp you want to modify. Right click the esp and select Add Masters. Check Heels Sound.esm and click OK. Expand Heels Sound.esm and expand Footstep Set. Copy FormID of AngelFSTHeelsFootstepSet. Now expand Armor Addon branch of esp. Select the high heels you want to modify. You can see the reference tab at bottom for help. Browse to SNDD – Footstep Sound. Paste the FormID to this column. Repeat again with every heels. Close TESVEdit and click OK with esp checked.
Credit
High Heel Footstep Sounds by Indrisblake - For some sound files.
prm399 for sound resources.
437,078 downloads
Updated
-
modders resource Python Tools
By DocClox
I've been making some Python as I go to make life easier when working on the Slaver's Spellbook. Nothing earth-shaking, but I thought I'd post in case someone else found them useful.
Currently there's two modules in two files, each with some sample code.
Book Tools
This is collection of context managers for the CK's almost HTML book format. So for example, this is the first couple of pages from Opus Korneum:
# # frontspiece illo, maybe a bit much? # img( "Textures/docbook/illos/well_behaved.png", width='288', height='252', caption="Well behaved slavegirls pay close attention to their master." ) para("<br>") pbreak() # # don't know if I'll keep the drop caps # with Para(): cap( "Seeker! Know you now that you hold in your hands the life's work " "of the great mage Korneum, often called \"The Objectionable\", " "though rarely to my face and always by lesser minds, jealous of my intellect." ) # # it's not a purely mental collection though, even if it started out that way # with Para(): cap( "Seeker! Know you that with this book you can gain insight into " "and indeed control over, the bodies and minds of Man and Mer, and other races besides. " "Know that the potential to cause harm spells is very great; " "With these magics, minds can be twisted into helpless dependency, " "their owners reduced to sad, twisted parodies of their former selves." ) The context managers make sure the tags are closed correctly and there are a pile of convenience functions. Cap() for instance, applies a normal paragraph with a Drop Cap on the first character. You'll probably want to fiddle with the funcs or write your own, but the classes should be farily solid.
Spell Tools
This is a parser for esp/esm files. It reads the data in, finds the SPEL group, find the spells and gives you a list with the name, editor_id and formid for each of them. I wrote it mainly so I could auto generate some json I could feed to JsonUtil to auto load some spell lists when you read the spellbook. That script is in there unaltered, but briefly, it works like this:
def main(): ss = Plugin("slavers_spellbook.esp") slhp = Plugin("slavers_spellbook_slhp.esp") ss.find_spells() slhp.find_spells() #print [ sp.editor_id for sp in slhp.spells ] print_json(ss.spells + slhp.spells) Of course, you don't have to make json files with it, and it can probably be extended to make lists of other records.
117 downloads
Updated
-
Morrowind Dwemer Resources
By Enter_77
Original | Special Edition
Morrowind Dwemer Resources is a conversion of David Brasher's Dwemer Ruins modders resource for The Elder Scrolls IV: Oblivion. It brings The Elder Scrolls III: Morrowind-style Dwemer architecture and dungeon tilesets to Skyrim.
What has and hasn't been ported
Almost all of the original models from the TES4 modders resource have been ported.
Those that couldn't be converted to work properly in the TES5 engine have been excluded, including the NPC dwarven constructs.
All but one piece of clutter has been excluded in favor of redirecting modders to download InsanitySorrow's Dwemer Clutter resource, which contains higher quality models and textures.
Additional modders resource recommendations
For more classic Dwemer resources, the following mods are available:
Insanity's Dwemer Clutter Insanity's Dwemer Weapons Lore Weapon Expansion* (includes TES3 dwarven dagger) Old Dwarven Katana and Daito*
* = requires author's permission to use in mods
TES5 - Original & Special Edition Compatibility
This resource's assets are compatible with both the original TES5 and TES5 - Special Edition. The included plug-ins intended only for reference have been saved in the original Creation Kit, but will load just fine in the SSE Creation Kit.
Mods that use this resource pack
If you want your mod added to this list, you may post a comment or send a PM to Enter_77.
Maids II: Deception Morrowind Dwemer Resources - Skyrim Textures
Credits
AlpineYJ
LOD models David Brasher
Dwemer Ruins (original model and texture source) Enter_77
Model conversion and resource compilation for TESV InsanitySorrow
Insanity's Dwemer Clutter (high resolution textures used to replace David Brasher's where applicable)
Permissions
This mod's resources may be distributed & uploaded without explicit permission from the mod author(s) as long as the original author(s) are credited. They may not, however, be included in a mod intended to be monetized.
Mirrors
AFK Mods Assimilation Lab Nexus Mods TES Alliance
190 downloads
Updated
-
BookTxtAPI - Write In Books, Read the Output! [Experimental/Modders Resource]
By SewerRats
BookTxtAPI::Read,Write,Books
WHAT IS THIS FOR?
BookTxtAPI, quite simply, allows the user (or modder) to write into books, and for modders to receive the written content and do something with it.
REQUIRES
SKSE.
DEVELOPMENT CONSIDERATIONS
This is an experimental plugin. To our understanding, it is stable and robust. However, you should be prepared for unexpected behavior and even a rare crash. There is no defined character limit. The user can type until the SKSE plugin runs out of memory, which probably wouldn't even stand a chance of happening until 10,000+ characters. When more then one page of content is entered, each character returns it back to the first page. This makes multi-page entry technically possible, but impractical.
INTEGRATION
1) Attach the included script BookTxtAPI.pex to books you would like to use for text entry. Notes are supported as well. Input is sent to the ModEvent (step 3) when the book is closed. Book Input support all alphanumeric characters (A-Z,0-9) and some special characters (!,@,#,$,%,&,*,(,),:,',-,_) plus comma.
2) Set the properties for BookTxtAPI.pex. These properties change the book's behavior:
DisableResetOnClose_ThisBook Set to TRUE if you would like to retain the written content after the book is closed. EnablePickUp_ThisBook (EXPERIMENTAL) Allows book to be picked up. You cannot write into books within your inventory. SkipIntroPage_ThisBook Skip the intro (creation kit default) text and load right into any custom text. DisableUserWrite_ThisBook Disables user's ability to write in the book. Used if you would like to dynamically create books but not allow theuser to write in them (ex, wanted posters) 3) (OPTIONAL) Set the book's text via script:
Book Text can either be entered in papyrus prior to opening the book, or by the user. In a script that will fire before the book is opened, write:
;PROPERTIES BookTxtAPI Property API Auto ;CODE Function FiresBeforeBookOpened() API.SetTextByObjectReference("Hello, World") EndFunction Set the property BookTxtAPI to the ObjectReference of the book you would like to modify.
4) Catch events by using our ModEvents:
Registration: ; on each game load RegisterForModEvent("BookTxtAPI_TextEntered", "BookResult") ; catch book text Event: Event BookResult(Form sender,string BookText) ; catch book text ;form sender is what sent the event ;booktext is the user input from the time the book was opened until it was closed and reset. EndEvent
USAGE TERMS
ANY AND ALL SOFTWARE USING THIS API MUST REQUIRE THIS PLUGIN TO BE DOWNLOADED INDEPENDENTLY FROM THIS DOWNLOAD PAGE. THE SOFTWARE MAY NOT BE INCLUDED IN A MOD PACKAGE AND DISTRIBUTED INDEPENDENTLY.
This software is licensed to you Creative Commons Attribution-NonCommercial-NoDerivatives 4.0 International.
- You may not modify (fork) the code.
- You may only use the work in a non-commercial manner, with attribution.
- Commercial uses of the work (paid mods) will be considered if we are notified and give prior approval with mutually agreed upon terms.
- We will not charge for the usage of this content, if the user is not profiting upon the distribution of this content, at any time.
73 downloads
Updated
-
Rabbot modder's resource
By Fixadent
Untextured Blender model of Rabbot from the Adult Swim cartoon Aqua Teen Hunger Force.
I'm sure you can find a use for it.
14 downloads
Submitted
-
MESKSEUtils
By zaira
This is a separate release of my SKSE plugin that I have written for Maria Eden.
Only usefull for modders and especially for modders that don't use Maria Eden.
It contains several function that I miss in Papyrus - and that might be useful for other modders too:
You can create and copy Outfits dynamically You can add and copy keywords to forms You can replace a form by another form You can get a list of filenames (without path and fileextension) You can move one file to a different location
I use outfits instead of putting armor to a NPC because it is much faster and a NPC will never un-equip armor from the current outfit.
I use the keyword feature to clone keywords from ZaZ devices to several devices (ZaZHDTWorkshop, DD, other blindfold mods) so that they behave like native ZaZ devices.
Restrictions:
Use it on own risk. Source code is available on personal demand. Dynamically created outfits must be recreated after game load AddKeywords produces (very) small memleaks - you should prefer CloneKeywords Maria Eden contains always the latest version This is W.I.P
Code:
533 downloads
Updated
-
FallrimTools -- Script cleaner and more
By markdf
WARNING: Unattached Instances are a normal part of how Fallout 4 operates. Until I've determined how to distinguish between important unattached instances (still in active use) and the other kind (left behind by mods that were uninstalled), I recommend that you do NOT use the Remove Unattached Instances action on Fallout 4 savefiles.
NOTE: If you're having a problem with a savefile, and you want my help, you'll need to post the savefile here in the support thread so that I can run tests on it.
WHAT IT DOES
ReSaver is a savegame editor for Skyrim Legendary, Skyrim Special Edition, and Fallout 4. It is designed to provide more information that earlier tools, and to work with savefiles that other tools wont touch. It is relatively stable and reliable. Performance has gotten pretty good!
The interface is modelled after Save Game Script Cleaner; it's not quite as fast (because of Java instead of super speedy assembly language) but it is actively maintained and has a much richer feature set. Like filtering using regular expressions, and scanning your scripts and esps for context! For Skyrim Legendary, it should read and write saves that exceed the string table limit, as long as you're using Crash Fixes v10 or later.
INSTALLATION
Unzip the archive into a folder somewhere. Double-click on the file "ReSaver.exe".
INSTRUCTIONS
Unzip the FallrimTools archive somewhere. Double-click on ReSaver.exe. Choose your savegame. You should see a tree structure that has all of the save's script elements.
The #1 thing that most people need is to remove script instances that are left behind when a mod is uninstalled.
Go to the "Clean" menu and select "Show Unattached Instances". This will filter the list and show only the script instances that aren't attached to anything. Go to the "Clean" menu and select "Remove Unattached Instances". Save to a new file. Load your savegame in Skyrim/Fallout and make sure it's working properly.
ReSaver is quite stable and I use it myself. Fallout 4 support is still new and in a beta state.
I have hundreds of mods, including dozens of major quest mods. I NEED a serious save editor. That's why I wrote one. I can't promise that it's perfect. It's possible that it will ruin your savegame, hard drive, childhood, and kidneys all major organ systems. In other words, there is no guarantee of fitness for any particular purpose, etc. But it's pretty good.
REQUIREMENTS
Java is a requirement -- ReSaver is written entirely in Java.
WHAT YOU CAN DO TO HELP
Test the tools! Report any problems! Report any annoyances! Try cleaning a few savegames with ReSaver, see it the new tool works at all. Play with the tool, try to get it to crash in exciting ways. Let me know how you crashed it. Find problems or annoyances with the user interface.
DONATIONS
If you would like to donate, Steam gift cards are good, or donations through Nexus. Really, I'll accept anything. :-) Seriously, I'll take a high-five, or a photo your cats. An envelope full of your pubes? Sure! But it's not necessary. I wrote these tools because I love Skyrim and Fallout.
7,935 downloads
- ReSaver
- SkyrimTools
- (and 7 more)
Updated
-
Women's Wristwatch
By Fixadent
This is just a free modder's resource/blender file because I have absolutely no idea how to turn it into a wearable/equippable item into Skyrim. If you have the technical knowledge of how to do this, please do so, but please give me credit for it.
The only requirement that I know of is the latest version of blender.
Getting it into the game as an item might require nifskope and/or outfit studio, and since it comes in a zip file, you might need to use winrar.
This mesh has an extremely high polygon count, over 30,000 in fact, so scaling that down might be important for in-game use. It also needs to be textured accordingly, preferably white plastic, but silver would also work well.
This was designed after an actual women's sportswatch, and is intended for female characters, but there is no reason why it can't be worn by men as well.
97 downloads
Submitted
-
Emfy Cleric UNP Black.zip
By Todd420
Emfy Cleric UNP Black retexture.
property of Deserter X and Mitosuke
requested by TyMatt
only what is needed is included.
drop it in your data folder if you intend on using it.
if you want to decrease on increase glossiness, you will need to change the meshes in nifskope.
416 downloads
Submitted
-
Recently Updated
-
Recent Reviews
-
Don't know why people haven't downloaded this more. She's great and she surprised me by recognizing misty sky! She's not too over the top like a lot fantasy girls and she has a pretty voice for a machine lol
-
i cant find the mod on CAS not showinggg
-
This mod is well overdue for an update. In game it is all over the place in terms of distortion. I really liked the idea of it because it's so unusual. Not worth putting in your game until it is fixed and crossing my fingers it will be. This creator makes really great stuff.
-
Very nice indeed! I look forward to seeing more fantasy sims from you. Keep up the great work!!
-
Interesting idea for a mod. Would consider using it if I was not so invested in other hoarse mods raping my chars. You or someone might have better reach if they could incorporate that one centaur mod. If it were to say a way to make a slave a mount that would be interesting, A piggyback animation would be fun.
Personally i want some weird shit like from Masamune Shirow "Pieces 8" see below. WARNING weird horse men bestiality milking.
-