Help Sign In/Register

Minecraft Forums

Advanced Search
  • News
  • Rules
  • Forum
  • Chat
  • Mods
  • Maps
  • Resource Packs
  • MC Station
  • Free Minecraft Server Hosting
Desktop View
  • Home
  • Member List
  • kiko0804's Profile
  • Send Private Message
  • View kiko0804's Profile
  • kiko0804
  • Registered Member
  • Member for 11 years and 28 days
    Last active Fri, Aug, 16 2013 08:15:49
  • 0 Followers
  • 76 Total Posts
  • 4 Thanks
  • Member
  • Posts
  • Threads
  • Reputation
  • Comments
  • Received
  • Given
  • View kiko0804's Profile

    1

    Jan 13, 2013
    kiko0804 posted a message on [1.4.6] Alchemicalcraft 1.0.0
    How does this have any thing to do with alchemy?
    Posted in: Minecraft Mods
  • View kiko0804's Profile

    1

    Aug 31, 2012
    kiko0804 posted a message on [1.3.2] Finite World Mod (World Generation MOD)(Optimize)
    Should be in w.i.p mods section
    Posted in: Minecraft Mods
  • View kiko0804's Profile

    1

    Aug 22, 2012
    kiko0804 posted a message on {UPDATED!} [1.3.2] Pillow Mod v1.1
    Nice good simple mod idea! :D
    Posted in: Minecraft Mods
  • View kiko0804's Profile

    3

    Jul 1, 2012
    kiko0804 posted a message on Epic starter seed!
    Quote from Confettiman

    no picks no clicks


    There's nothing to click....
    Posted in: Seeds
  • View kiko0804's Profile

    1

    May 6, 2012
    kiko0804 posted a message on Universecraft
    this should be in w.i.p cause there is nothing here :P
    Posted in: WIP Mods
  • To post a comment, please login.
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • …
  • 14
  • Next
  • View epicSplashBattle's Profile

    1783

    Jun 8, 2012
    epicSplashBattle posted a message on Pixelmon 8.1.2 (12th Nov 2020)

    Ho-Oh


    Pixelmon
    The Pokemon mod for Minecraft!

    To find out more about this mod you can check out the Pixelmon website!

    https://pixelmonmod.com/


    https://reforged.gg

    Submit bugs here on out issue tracker - Click me!

    Pokemon is the intellectual property of GameFreak and is trademarked by Nintendo GameFreak and Creatures Inc.
    Fishies
    Posted in: Minecraft Mods
  • View sirolf2009's Profile

    63

    Nov 20, 2012
    sirolf2009 posted a message on [1.6.4] The Necromancy Mod 1.5 - Necro API 1.2

    This mod has been taken over by AtomicStryker. Link




    Exspectata amicus. respondebo tibi, quid opus sit vobis regnum regat



    Introduction

    This mod is all about necromancy. Also known as the art of reanimation. using this mod, you can reanimate slain foes and use your minions to rule the world! (of minecraftia).


    Download

    Download 1.5 for MC 1.6.4 (thnx to AtomicStryker!)
    Download 1.4b for MC 1.6.2
    Browse all versions


    Copyright

    you have the right to have access the source code of the mod,
    you have the right to be able to edit/use parts (or all) of the source code provided that you provide proper credit to the original authour(s),
    you have the right to distribute the source code and/or compiled versions of the source code
    you have the right to use this mod in Lets Plays/YouTube videos however you see fit (monetization, for fun, etc) as long as you provide credit to the original authour(s)(a link back to this thread for example)
    if you wind up using parts of my mod in your own, then create a really awesome mod so that i can be proud


    Source code

    Please read the copyright note before downloading the source code
    https://github.com/s...2009/Necromancy

    Necro API
    The API allows modders to implement their own mobs into the game, if this mod and their mod is installed. Keep in mind that you have to wait for the next necromancy version for this to work. That doesn't mean that you have to wait to add your mobs though.
    Download API v2.

    API Tutorial (intended for modders only)

    Download the API from the link above and extract it to your src folder (MCP/src). You should now see MCP/src/com/sirolf2009/necroapi. Inside the necroapi folder are a couple of classes. NecroEntityZombie is an example class.
    Start off by creating a new class. For the sake of organizing call it NecroEntityExample where Example is your mob name. Use your mobs name in the super constructor. If your model extends ModelBiped or ModelQuadruped, make the new class extend NecroEntityBiped or ModelQuadruped and skip the spoiler.
    If your model does not extend ModelBiped, you'll have to assign the bodyparts. Create four new methods:
    public BodyPart[] initHead(ModelMinion model) {
    return null;
    }
    public BodyPart[] initTorso(ModelMinion model) {
    return null;
    }
    public BodyPart[] initLegs(ModelMinion model) {
    return null;
    }
    public BodyPart[] initArmLeft(ModelMinion model) {
    return null;
    }
    public BodyPart[] initArmRight(ModelMinion model) {
    return null;
    }






    these all return an array of bodyparts. Let's start with legs. Let's say your mobs leg is a 1x12x1 cube. You would change initLegs to this:
     @Override
    
    public BodyPart[] initLegs(ModelMinion model) {
    
    float[] torsoPos = {-4F, -2F, -2F}; //we will get to this in a sec
    BodyPart leg = new BodyPart(mobName, torsoPos, model, 0, 16); //mobName is what you put in your super constructor, the 0 and 16 are texture offsets
    leg.addBox(0.0F, 0.0F, 0.0F, 1, 12, 1, 0.0F); //create a 1x12x1 cube at coördinate 0, 0, 0
    return new BodyPart[] {leg}; //return our leg
    }
    But sirolf2009, what's that torsoPos about? The torso pos defines the position of the torso. But why can't you simply make your torso 2F higher? Because your torso can be put on creeper legs and ender legs. If you would make your torso 2F higher, it will float above creeper legs and float inside the ender legs. For that reason, try to make your bodyparts around 0, 0, 0. On to the torso
    @Override
    public BodyPart[] initTorso(ModelMinion model) {
    float[] headPos = {4.0F, -8.0F, 2.0F};
    float[] armLeftPos = {-4F, 0.0F, 2.0F};
    float[] armRightPos = {8F, 0.0F, 2.0F};
    BodyPart torso = new BodyPart(mobName, armLeftPos, armRightPos, headPos, model, 16, 16);
    torso.addBox(0.0F, 0.0F, 0.0F, 8, 12, 4, 0.0F);
    return new BodyPart[] {torso};
    }





    as you can see we now have 3 positions. One for the head and two for the arms. Just add them to the BodyPart constructor and you'll be fine. Also, note that the torso is created at 0, 0, 0. As you have read before, that is to ensure it fits on any type of legs.
    finally, the head and arms
     
    @Override
    public BodyPart[] initHead(ModelMinion model) {
    BodyPart head = new BodyPart(mobName, model, 0, 0);
    head.addBox(-4, 0, -4, 8, 8, 8, 0.0F);
    return new BodyPart[] {head};
    }
    
    
    @Override
    public BodyPart[] initArmLeft(ModelMinion model) {
    BodyPart armLeft = new BodyPart(mobName, model, 40, 16);
    armLeft.addBox(0.0F, 0.0F, -2.0F, 4, 12, 4, 0.0F);
    armLeft.mirror = true;
    return new BodyPart[] {armLeft};
    }
    
    @Override
    public BodyPart[] initArmRight(ModelMinion model) {
    BodyPart armRight = new BodyPart(mobName, model, 40, 16);
    armRight.addBox(0.0F, 0.0F, -2.0F, 4, 12, 4, 0.0F);
    return new BodyPart[] {armRight};
    }
    These don't have locations stored in them, that's because there is nothing connected to them.

    congratulations, you now have your model. On to animating.

    create a new method in your NecroEntityExample class
    @Override
    public void setRotationAngles(float par1, float par2, float par3, float par4, float par5, float par6, Entity par7Entity, BodyPart[] bodypart, String string) {
    }





    this looks a lot like your regular setRotationAngles method, but this one has two extra parameters. The bodypart array contains the bodyparts you have initialized, the string contains the type of bodypart that needs to get animated. I'll just show you the biped animation code:
    @Override
    public void setRotationAngles(float par1, float par2, float par3, float par4, float par5, float par6, Entity par7Entity, BodyPart[] bodypart, String string) {
    if(string.equals("head")) {
    bodypart[0].rotateAngleY = par4 / (180F / (float)Math.PI);
    bodypart[0].rotateAngleX = par5 / (180F / (float)Math.PI);
    }
    if(string.equals("armLeft")) {
    bodypart[0].rotateAngleX = MathHelper.cos(par1 * 0.6662F) * 2.0F * par2 * 0.5F;
    bodypart[0].rotateAngleZ = 0.0F;
    }
    if(string.equals("armRight")) {
    bodypart[0].rotateAngleX = MathHelper.cos(par1 * 0.6662F + (float)Math.PI) * 2.0F * par2 * 0.5F;
    bodypart[0].rotateAngleZ = 0.0F;
    }
    if(string.equals("legs")) {
    bodypart[0].rotateAngleX = MathHelper.cos(par1 * 0.6662F) * 1.4F * par2;
    bodypart[1].rotateAngleX = MathHelper.cos(par1 * 0.6662F + (float)Math.PI) * 1.4F * par2;
    bodypart[0].rotateAngleY = 0.0F;
    bodypart[1].rotateAngleY = 0.0F;
    }
    }





    As you can see you can use the last parameter to see what is being animated. The biped model contains 2 legs, therefore the bodypart array contains 2 bodyparts.

    You have now created and animated a model!

    You should now have a class that extends NecroEntityBase and has it's own model and animations defined or you have a class that extends NecroEntityBiped or ModelQuadruped. All we have to do now is make sure players can create your mob. Change your constructor to this
     
    public NecroEntityExample() {
    super("EXAMPLE");
    headItem = new ItemStack(exampleMod.exampleHeadItem); // the head item
    torsoItem = new ItemStack(exampleMod.exampleTorsoItem); // the torso item
    armItem = new ItemStack(exampleMod.exampleArmItem); // the arm item
    legItem = new ItemStack(exampleMod.exampleLegItem); // the leg item
    // you use ItemStacks to support damagevalues
    
    texture = "/mob/zombie.png";
    //texture location
    
    textureHeigth = 64;
    //the zombie texture is not 32x32 but 32x64.
    
    
    hasHead = true;
    hasTorso = true;
    hasArms = true;
    hasLegs = true;
    //you can set these to false if your mob doesn't have some bodyparts. Creepers don't have arms for instance
    }
    and we need to add recipes
    @Override
    
    public void initRecipes() {
    headRecipe = new Object[] {"SSSS", "SBFS", "SEES",
    'S', new ItemStack(organs, 1, 4), //skin
    'E', Item.spiderEye,
    'F', Item.rottenFlesh,
    'B', new ItemStack(organs, 1, 0)}; //brains
    torsoRecipe = new Object[] {" LL ", "BHUB", "LEEL", "BLLB",
    'L', new ItemStack(organs, 1, 4), //skin
    'E', Item.rottenFlesh,
    'H', new ItemStack(organs, 1, 1), //heart
    'U', new ItemStack(organs, 1, 3), //lungs
    'B', Item.bone};
    armRecipe = new Object[] {"LLLL", "BMEB", "LLLL",
    'L', new ItemStack(organs, 1, 4), //skin
    'E', Item.rottenFlesh,
    'M', new ItemStack(organs, 1, 2), //muscle
    'B', Item.bone};
    legRecipe = new Object[] {"LBBL", "LMML", "LEEL", "LBBL",
    'L', new ItemStack(organs, 1, 4), //skin
    'E', Item.rottenFlesh,
    'M', new ItemStack(organs, 1, 2), //muscle
    'B', Item.bone};
    }





    Those are the recipes for the zombieparts. As you can see the item organs is used. This item stores brains, hearts, muscles, lungs and skin. Their damage value is in that order. Do not make any reference to "organs" outside this method. If you do, it can crash the game when the necromancy mod is not installed.

    You are now ready to distribute your mod. You need to compile, obfuscate and publish the API alongside your mod. If you do not do this and someone installs your mod without mine, their minecraft will crash.

    RECIPES/GUIDE

    For additional information, check the wiki.

    First things first. you need to get some blood. In order to harvest blood you need some Bone Needles. these are crafted like so:

    Craft yourself some Glass Bottles and hit a mob with a needle. This will consume the needle and the bottle, but you will get a Jar of Blood in return. If you're on a server you can also hit the other players to get their blood.
    Next up, the Necronomicon.

    With the necronomicon you can create yourself a Summoning Altar! Place 2 cobblestone and a plank in a row (in the world, not the crafting bench) and right click the plank. You still can't summon a minion yet though. You need to get some souls first. How? With a Scythe, a Blood Scythe.

    Use this weapon to kill some mobs and make sure you have some glass bottles left in your inventory. If you use the Scythe to deliver the final blow, a bottle will be filled with a soul.

    One more thing. You need a Sewing Machine to create bodyparts. It is crafted like so

    Now this is where it gets complicated. There are a lot of recipes so i won't post them all, but i'll show you the basic recipes, or templates if you will
    You need to start with getting some skin.


    with the skin, you can create heads, torso's, legs and arms. You'll also need some organs, these can be obtained by killing mobs.








    You'll notice that these recipes won't work and that they have holes in them. Like I said before, these are the template recipes. Let's say you want to create a spider head, you take the head template recipe and put some string next to the brain. If you want a zombie head you put some rotten flesh next to the brain.

    Back to the Summoning Altar. You should have body parts now and you should see a couple of slots in the Altar. The left one is for blood, the right one is for souls. Place your body parts in the center to create a minion. If you are happy with the way your minion looks and you have supplied the altar with blood and a soul, you shift right-click the wooden part and the minion will spawn. If you aren't creative, the altar will use up your blood, soul and body parts. If you have The Harken Scythe mod installed, you can also use their souls instead of mine.

    So what can you do with your minions? As of now, not much. They will follow and protect you. You can also saddle them by using a saddle on them. Keep in mind that this only works if you minion has a spider torso. Shift right click to mount the minion and right click again do dismount. If you want, you can craft yourself a Brain on a Stick to control them.



    One last thing. If you're the exploring kind, you might prefer to go to the nether to get your blood. Nether Chalice's spawn randomly in the lava lakes.

    They hold a ton of blood, but it can be dangerous to reach them. The blood can be picked up with buckets. You can transform Blood buckets to and from Jars of Blood like so




    Happy Summoning!

    HALL OF FAME

    crew and stuffs
    sirolf2009 main coder, idea's, models, textures
    Mr_boness idea's
    TheBlackPixel textures
    HP. Lovecraft writer

    donators
    Deborah W. $5.00 first donater ever!

    FAQ AND TROUBLESHOOT


    java.lang.IllegalArgumentException: Slot SOME_SLOT is already occupied by SOME_MOD.SOME_BLOCK when adding SOME_MOD.SOME_BLOCK





    Browse to appdata/Roaming/.minecraft/config/ there should be a file called necromancy.cfg, open it and look for the conflicting ID. once you've found it, change it to some other random number. note that this might screw up existing worlds.

    My minecraft crashed!
    There should be a log inside .minecraft/ForgeModLoader-client-0.txt post it or I can't help you

    Can I include this mod in my modpack?
    Yes, as long as you put up some clear credits to me and my team.

    Will you be adding more mobs?
    yes, maybe not all of them though. Slimes and blazes don't really have bodyparts and ghasts are a bit big to name a few

    VIDEOS

    The most recent review

    Foreign mod review

    INSTALLATION

    Download this mod version for your Minecraft version.
    Download Minecraft Forge for your Minecraft version.
    Drag and drop Forge into the minecraft.jar
    Drag and drop this mod into the mods folder.



    BANNER

    [center][url="http://www.minecraftforum.net/topic/1571429-145-the-necromancy-mod-open-beta-3-christmas-update-and-patches/"][img]https://dl.dropbox.com/u/50553915/banner1.png[/img][/url][/center]



    CHANGELOG

    Necromancy mod

    3/8/13 1.4
    Updated to 1.6.2
    Added: Thaumcraft API support.
    Added: Attributes
    Changed: The name of the altar for compatibility with the Aether mod.
    10/3/13 1.4b
    Fixed: Missing textures
    Fixed: Soul harvesting
    Added: A WIP block

    20/6/13 1.3
    Fixed: Crash when Minion owner is offline
    Fixed: Sewing recipes
    Fixed: Special scythes are rendered only for special people
    Fixed: Changing body parts
    Fixed(?): Buggy needles and blood harvesting

    17/6/13 1.2
    Added: Bone Scythe
    Fixed: Unable to harvest souls in multiplayer
    Fixed: non-opped players can now acces the minion command
    Fixed: Weird scythe rendering
    Changed: Needles now work with right mouse button
    Removed: Minion spawn eggs

    12/6/13 1.1
    Added: Cemetery (spawns in villages)
    Added: Necromantic villagers (spawn in cemeteries)
    Added: New command:
    /minion [set] [aggressive/passive]
    set your minions to aggressive or to passive
    
    /minion [friend] [*]
    set a player as a friend
    
    /minion [enemy] [*]
    set a player as a friend





    Changed: Ghouls spawn in every biome
    Changed: Minions have more health and deal more damage
    Fixed: Crash when harvesting souls
    Fixed: Crash when using skulls


    7/6/13 1.0
    updated to 1.5.2
    Added: NecroApi support
    Added: More bodyparts
    Added: New mob: Ghoul (AKA Nightcrawler)
    Added: Special scythes for special people
    Added: New command: "/remodel". This will re-initialize every bodypart from every minion
    Changed: BodyParts have their own tab in the creative menu
    Changed: The appearance of the necronomicon
    Changed: Rewrote the rendering system to support the NecroApi
    Changed: mcmod.info appearance (the page in the mod list)
    Changed: The appearance of the altar
    Fixed: Lag spikes

    22/12/12 open beta 4
    updated to 1.4.6
    recipe for the teddy bear
    rideable minions
    craftable Brain on a Stick
    Nether Chalices now generate in the nether
    liquid blood
    blood buckets

    16/12/12 open beta 3
    better SMP support (it's still not perfect)
    better algorithm to remove lag spikes
    fully functional sewing machine
    new mob: enderman
    christmas hats (will automatically be activated on christmas, or when you set christmas hats to true in the config file)

    24/11/12 open beta 2
    Update to 1.4.5
    Added Blood Scythe
    Removed Minion eggs
    New Necronomicon recipe

    Necro API

    3/8/13 1.2
    Added: Enum BodyPartLocation. Several methods have adapted this as a parameter rather than a string that indicates the location.
    Added: Attributes

    3/3/13 1.1b
    package changes; the classes have not changed

    13/2/13 1.1
    better documentation
    2 new methods in NecroEntityBase: preRender and postRender (used for rotationg)
    new class: NecroEntityQuadruped
    new interface: ISaddleAble, contains 2 methods: getRiderHeight and getSaddleTex
    changed the example class to not give errors

    DONATION

    This mod is free to use, donating is appreciated but not required.




    FINAL NOTE

    If you're wondering what that latin at the top means: Welcome friend. Let me tell you about my work, for you shall rule the world with it.

    Posted in: Minecraft Mods
  • View Silentine's Profile

    176

    Jul 15, 2012
    Silentine posted a message on Grimoire of Gaia 3 (1.12.2) (1.7.1) (Updated 01/27/2020) - Mobs, Monsters, Monster Girls

    Introduction




    My intention with this mod was make Minecraft remain a challenge and to give it a more unique experience. Because I lack the skill in programming enhanced AI or equipment, I intended for this mod to add mobs and make the game harder while more powerful and well coded mods provide high-end enhancements to the player.

    Information


    All the details and information concerning the contents of this mod are available on the official wiki.

    Download






    Github

    https://github.com/Silentine/GrimoireOfGaia

    Discord

    Discord

    Mod Pack




    Details on use:

    Here are the basic conditions for using/including Grimoire of Gaia 3 in a mod pack:

    • Do not make money from the modpack which this mod, "Grimoire of Gaia 3" is included in.
    • A link to the forum post in which this mod, "Grimoire of Gaia 3" originated from.
    • Credit to the author of this mod (Silentine).
    That's basically it. Fulfill these conditions and you have my permission to use this mod in a mod pack.

    Videos


    Grimoire of Gaia 3

    Grimoire of Gaia 1 & 2

    Older videos of previous versions can be viewed on the wiki.

    Credits


    Main

    Silentine - Owner, Ideas, Art (Logo/Banner), Coder, Models, Textures

    Contributors

    1.12.2

    bloodmc - Porting the mod to 1.12.2

    Doctor_Wiggles - Porting the mod to 1.12.2

    P3pp3rf1y - Porting the mod to 1.12.2 and re-adding baubles and Thaumcraft support

    mrbysco - Porting the mod to 1.12.2 implementing a ton of features requested throughout the years.

    1.10.2

    Doctor_Wiggles - Porting the mod to 1.10.2 and helping with adding a ton of new code/features

    1.8.9

    Doctor_Wiggles - Porting the mod to 1.8.9

    mrbysco - Porting the mod to 1.8.9

    1.7.10

    nidefawl - Porting the mod to 1.7.10

    1.6.4

    Akjosch - Porting the mod to 1.6.4

    Sounds

    1.12.2

    MohawkyMagoo

    Sartharis (Goblin Sounds)

    Boolyman

    Translations

    karakufire - ja_jp.lang

    wenlfs - pt_br.lang

    kellixon and V972 - ru_ru.lang

    kasing456 and AileRozy - zh_tw.lang

    AileRozy and UnknownWhite - zh_cn.lang

    Special Thanks


    Credits

    TheStimerGames - working on the wikia

    Additional Credits

    FryoKnight - for the previous logo, banners and Entity Encyclopedia used in the original Grimoire of Gaia

    Wuppy29 - for his Forge tutorials
    Zeux - for Techne
    DrZhark - for helping me fix the config file to properly disable mobs
    FinAndTonic - for helping me fix mobs from not spawning during the day
    tuiko - for providing a bug fix and item config for Grimoire of Gaia 2 (1.1.0)

    Banners


    Made by Silentine


    Copyright


    TERMS AND CONDITIONS
    0. USED TERMS
    MOD - modification, plugin, a piece of software that interfaces with the Minecraft client to extend, add, change or remove original capabilities.
    MOJANG - Mojang AB
    OWNER - Silentine, original author of the MOD. Under the copyright terms accepted when purchasing Minecraft (http://www.minecraft.net/copyright.jsp) the OWNER has full rights over their MOD despite use of MOJANG code.
    USER - End user of the mod, person installing the mod.

    1. LIABILITY
    THIS MOD IS PROVIDED 'AS IS' WITH NO WARRANTIES, IMPLIED OR OTHERWISE. THE OWNER OF THIS MOD TAKES NO RESPONSIBILITY FOR ANY DAMAGES INCURRED FROM THE USE OF THIS MOD. THIS MOD ALTERS FUNDAMENTAL PARTS OF THE MINECRAFT GAME, PARTS OF MINECRAFT MAY NOT WORK WITH THIS MOD INSTALLED. ALL DAMAGES CAUSED FROM THE USE OR MISUSE OF THIS MOD FALL ON THE USER.

    2. USE
    Use of this MOD to be installed, manually or automatically, is given to the USER without restriction.

    3. REDISTRIBUTION
    This MOD may only be distributed where uploaded, mirrored, or otherwise linked to by the OWNER solely. All mirrors of this mod must have advance written permission from the OWNER. ANY attempts to make money off of this MOD (selling, selling modified versions, adfly, sharecash, etc.) are STRICTLY FORBIDDEN, and the OWNER may claim damages or take other action to rectify the situation.

    4. DERIVATIVE WORKS/MODIFICATION
    This mod is provided freely and may be decompiled and modified for private use, either with a decompiler or a bytecode editor. Public distribution of modified versions of this MOD require advance written permission of the OWNER and may be subject to certain terms.

    Posted in: Minecraft Mods
  • View DrZhark's Profile

    1800

    Nov 17, 2010
    DrZhark posted a message on Mo' Creatures - v12.0.0 for Minecraft 1.12.1!! Now Opensource!!

    Compatible with Minecraft 1.12.1


    This Mod adds more creatures to the game.


    Mo'Creatures is now open source! You can access the source code at https://github.com/DrZhark/mocreaturesdev


    You're welcome to add this mod to your modpack. No need to ask for permission

    We have a new website!! Please check it here: http://mocreatures.org/home


    Download the Mod:


    Minecraft version 1.12.1

    -Mo'Creatures 12.0.5 (direct link)

    Requires: CustomMobSpawner 3.11.4 (direct link) and Forge 1.12.1 - 14.22.1.2478


    Minecraft version 1.10.2

    -Mo'Creatures 10.0.6

    Requires: CustomMobSpawner 3.10.1 and Forge 1.10.2-12.18.1.2095


    Minecraft version 1.8.9

    -Mo'Creatures 8.2.2

    Requires: CustomMobSpawner 3.6.0 andForge 1.8.9 - 11.15.1.1722


    Minecraft version 1.8.1

    -Mo'Creatures 8.1.3

    Requires: CustomMobSpawner 3.5.1 and Forge 1.8 - 11.14.4.1563


    Minecraft version 1.7.10

    Mo'Creatures 6.3.1
    Requires: -CustomMobSpawner 3.3.0 and Forge 1.7.10-10.13.0.1208

    You can support my work via www.patreon.com/DrZhark

    or donating via paypal


    Known bugs:

    nothing to report now

    How to Install Mo'Creatures Mod:

    Minecraft 1.6.x+
    1. Install Forge using the installer.
    2. Launch the game using the Forge profile. Exit the game.
    3. Copy the MoCreatures.zip, CustomSpawner.zip into the .minecraft/mods folder.
    4. Play! (Make sure your profile is set to Forge)


    Pre-Minecraft 1.6
    Download the files linked above

    Please make a backup of your minecraft.jar file and then:
    1. install Forge (unzip the .zip file and add all of its contents to your minecraft.jar file)
    2. install GUI Api (just copy the .jar file into the /coremods folder)
    3. Delete the META-INF folder in the minecraft.jar file
    4. locate your .minecraft/mods folder
    5. copy the MoCreatures.zip and CustomSpawner.zip files inside your \.minecraft/mods folder
    6. Play

    You can watch this video explaining how to install the mod v6.0.0. (thanks to TheGofa)
    [media][/media]

    And this one that explains how to set up a server with Mo'Creatures 5.0.0
    [media][/media]

    This video shows how to install MoCreatures 5.1.5 on Mac (thanks to michaelsmiles)
    [media][/media]

    PixelPaperCraft has a section for Mo'Creatures!






    Previous Videos

    This video explains how to transfer your pets from Minecraft 1.5.2 to 1.6.2
    [media][/media]

    this one is in Spanish and explains most of the features of Mo'Creatures:
    [media][/media]

    This video shows the New Big Cats and Manticores



    Change Log...


    [10.0.5]
    -fixed crashing bug when hitting werewolves with a tool
    -another attempt to fix aquatic animals crashing bugs

    [10.0.4]
    -fixed hybrid bigCats and pet amulet bug
    -animals can be tamed by riding them again
    -fixed Jellyfish crashing bug
    -fixed bug that made wyverns revert back to mother wyvern
    -exorcised Aquatic animals crashing bugs
    -Tamed Ligers can obtain wings by receiving an essence of light

    [10.0.2]
    -fixed tiny creatures appearing with the summon command

    [10.0.1]
    -fixed game crashing bug when Ents were planting flowers
    -fixed game crashing bug with MoCPetNames
    -fixed game crashing bug with PetAmulets
    -fixed MoCreatures tab name
    -fixed Mammoth Platform name
    -bunnies can be tamed again
    -small creatures can be picked up again
    -fixed light blue kitty bed icon
    -fixed amulets and fish nets
    -BigCats move faster
    -fixed bug with inventories of BigCats, Horses
    -fixed bug with entities moving sideways
    -fixed duplicating item bug when using item on off hand
    -fixed animation bug with aquatic entities receiving damage
    -Bears can now be tamed by giving meats to cubs
    -Bears can now be ridden and given chests
    -Split bears into separate entities
    -Split ogres into separate entities
    -medium fish were split into separate entities
    -small fish were split into separate entities
    -hybrid big cats are now separate entities
    -sorted eggs

    [10.0.0]
    -Updated for Minecraft 1.10.2
    -Beta release

    [8.1.3] and [8.2.2]
    tamed animals will no longer attack the player
    tamed bears can be commanded to sit with the whip
    fixed invisible kittybeds

    [8.1.2] and [8.2.1]
    -fixed bug where ghost big cats will revert to normal cats after reloading game
    -fixed bug where amulets will disappear from tamed big cats
    -fixed bug with wyvern lair spawnings (the default mocreatures and customspawner .cfg files need to be erased for the fix to take place)
    -tigers and leopards now show chests
    -added more big cat hybrids (thanks to Cybercat5555): Leoger (between leopard and tiger), Panthger (between Panther and tiger), liard (between male lion and leopard) and lither (between panther and male lion)

    [8.2.0]
    -Updated for MC 1.8.9

    [8.1.1]
    -BigCat overhaul, split the bigcats into their own categories: lions, tigers, panthers, leopards
    -added Manticores
    -split stingRays and MantaRays
    -BigCats can be tamed by giving pork or raw fish to a cub
    -big cats can mate by giving them pork or raw fish and keeping them in an enclosed space
    -white lions and white tigers are a rare spawn with a 1/20 chance
    -ligers are obtained by breeding a male lion with a Tiger
    -there is a hybrid between panther and regular leopards
    -giving a dark essence to a panther gives it wings
    -giving a light essence to a male lion, white male lion or liger will give it wings
    -Manticores are a new mob, red manticores are found in the Nether, blue manticores in snowy biomes and dark and green manticores elsewhere
    -Manticores can drop an egg, that can be hatched to obtain a pet manticore. Pet manticores can be ridden once they turn into adults
    -There are ghost versions of the big cats that can be obtained randomly when a tamed big cat dies
    -winged big cats, ghost big cats, hybrid big cats and manticore pets are sterile (they can't breed)

    [8.0.1]
    -removed fishbowls
    -fixed kitty beds icons and behavior
    -synchronized flying horse wing flapping animations and sounds
    -cleaned up the code
    -fixed komodo animations
    -fixed server code

    [8.0.0] devA - Note this is not a release ready version, for testing purposes only
    -werewolves will receive higher damage from items / weapons with 'silver' in the unlocalized name or name of the material. They won't receive extra damage from gold weapons
    -werewolves won't complain as much when transforming from human to werewolf form
    -improved werewolves moving speed when hunched
    -improved dolphin riding code
    -turtle swimmimg animation improved
    -piranhas move as a herd and attack differently
    -deers will jump when fleeing from entities
    -horses can also get ready to breed by feeding them a golden carrot
    -turtles / bunnies will not receive damage when riding a player
    -updated ogre attack animations
    -improved minigolem / golem throwing stone accuracy
    -added three more crab textures
    -foxes now spawn cubs that follow adults and flee from players
    -improved maggot animation
    -improved ant food picking behavior
    -added female turkeys
    -ents now plant all the flower varieties
    -added bear attack animation
    -decreased frequency of goat bleets
    -wraiths do not collide with entities, added attack animation
    -skeletons, silver skeletons and zombies can now ride scorpions and wild wolves as well as mob horses
    -MoCreature inventories can be opened by interacting with the creature while sneaking (right click while pressing shift). The MoCreatures 'keys' are no longer obtained by adding a chest to a creature and the crafting recipe was removed.
    -Improved elephant animations
    -Synchronized wyvern wing flapping animations / sounds. The wing flap depending on the flight speed when ridden.
    -Added transform animation to Wyverns
    -Changed wyvern speed, health, attack damage so the 2nd tier wyverns are significantly better
    -Sharkteeh can now be converted into bonemeal
    -fixed weapon damage and enchanteability
    -added Pet scorpion sitting behavior / animation
    -added transform animation to scorpions
    -Pet scorpion health boosted to 40 (from 18)
    -added wyvern ghosts
    -increased Horse health, Horse speed
    -Tamed Zebras shuffle again
    -The nightmare burning effect last less than before

    [6.2.0]

    - Female Ostriches eggs are no longer sterile. Players must now pick up the eggs in order to hatch them.
    - Bunnies no longer breed in the wild. In order to breed a bunny, players need to feed it a carrot at full health.
    - Fixed Wyverns not laying eggs
    - Fixed Pet Amulet glitch with mcMMO
    - Fixed Pet Amulet glitch with nametags
    - Fixed Ray grow glitch
    - Fixed BigGolem dupe glitch
    - Fixed wyverns, small fish, and medium fish not dropping the correct egg type
    - Fixed possible client crash with Ent's attacking tamed animals
    - Added new server '/mocspawn' admin command which allows you to spawn any type of horse/wyvern instantly.
    This command should help server admins replace pets that go missing.

    Valid Horse types :
    Tier 1 : 1-5
    Tier 2 : 6-9
    Tier 3 : 11-13
    Tier 4 : 16-17
    Special : 21-28, 30, 32, 36, 38-40, 48-61, 65-67

    Valid Wyvern types :
    Normal : 1-4, 6-12
    Mother : 5

    An example of spawning a Zorse would be
    '/mocspawn horse 61'
    An example of spawning a mother wyvern would be
    '/mocspawn wyvern 5'


    for previous change logs, refer to the README.txt file

    Currently the Mod adds the following creatures:

    -Ents



    Ents are peaceful creatures that will be immune to any kind of weapons but axes. They attract nearby small creatures and spawn small plants.

    -Moles



    Moles are very shy and hide underground from bigger creatures.

    -Mini Golems



    Mini golems are mobs that spawn at night and throw rocks at the player.

    -Silver Skeletons



    Silver Skeletons are aggressive mobs that spawn at night and on dark places. They can sprint towards the player and outrun him/her. They drop bones or silver swords. The silver swords are quite effective against Werewolves

    -Raccoons



    Raccoons attack back if provoked. They can be tamed by giving them any edible item.

    -Small and Medium Fish

    pictures pending...

    A nice variety of small and medium size fish that can be trapped with a fishnet and fished with the fishing pole

    This is how a fishnet is crafted:

    -Crabs



    Spawn on beaches next to water. They can be tamed with fishnets

    -Wyverns




    Wyverns are poisonous drakes, they can be found on the WyvernLair.

    Wyvern eggs can be obtained by slaying wyverns (but only on the wyvern lair). A wyvern has a 10% chance of dropping an egg.

    The egg can be hatched in the Overworld by placing it near a torch and once the Wyvern grows, it can be saddled and armored.


    The wyvern lair can only be accessed by using a Wyvern Portal Staff. The staff has only four uses before it's destroyed. There is an alternative recipe that replaces the unicorn with a vial of light.

    The staff can be activated on any dimension, and it will teleport the player to the center of the Wyvern Lair dimension.

    To return back, the staff has to be activated on the quartz portal of the Wyvern Lair.

    -Elephants and Mammoths



    Elephants spawn on Deserts, Jungles, Plains and Forests.
    Mammoths spawn on cold biomes.

    Elephants drop Hide

    A calf elephant can be tamed by giving it 10 Sugar lumps or 5 cakes
    Tamed elephants are healed with baked potatoes, bread or haystacks

    A harness can be put on tamed adult elephants to make them rideable and attach extra things:

    If a player 'sneaks' near their elephant, it will sit for a short time, where it can be mounted
    To dismount an elephant, the rider has to make it sit first and then it can be dismounted.

    Indian Elephants can be given a special luxurious garment:


    In addition to the garment, a nice throne can then be given to the Elephant.



    Two chest sets can be put on each elephant, allowing it to carry inventory


    A key is used to open the inventory.
    Mammoths can also carry two extra regular chests.

    Three different kinds of tusk reinforcements can be crafted: wood, iron and diamond.
    They can be given to tamed adult elephants and mammoths, and taken off with a pickaxe.
    While wearing them reinforcement and ridden by the player, they will break blocks.
    (However that feature is disabled by default in multiplayer, to prevent griefing)
    Mammoths are more effective at breaking blocks than elephants.

    Wooden Tusks:


    Iron Tusks:


    Diamond Tusks:



    A platform can be put on the Songhua Mammoth, allowing them to carry a second player.


    To have a passenger, first the rider makes the mammoth sit, then the second player 'sneaks' while close to the mammoth.
    The second player can dismount the mammoth by pressing the sneak key.

    -Komodo Dragons


    Komodo dragons spawn on swamps and plains. They attack small animals or players.
    Komodo dragons poison their prey.

    They drop reptile hide and the bigger Komodo Dragons have a 25% chance of dropping eggs.

    An egg can be hatched if placed near a torch and the resulting baby Komodo Dragon will be tamed.

    Tamed Komodo dragon can be healed by giving it raw rat or raw turkey.

    A saddle can be put on a Tamed adult Komodo dragon so it can be ridden.

    -Golems



    Golems spawn at night, and initially consists of only three blocks: the Head, the Core and a valuable ore cube. When the Golem is near a player, it activates and forms its body.

    Golems have a powerful melee attack, they also have a ranged attack, where the Golem throws one of the blocks of its arms.

    When a Golem is attacked, there is a chance to destroy one of its blocks. The chance of destroying a block depends on the difficulty level. If the chest is open and the core of the golem is exposed, it will suffer damage.

    As the Golem suffers damage, it becomes more dangerous. A hint of the danger level of the golem is the color of its power aura. Blue is seen in a Golem that is not attacking. Yellow on a Golem that has started attack, Orange on the Golem that has suffered considerable damage. Red is seen on a Golem about to explode.

    The Golem will constantly try to acquire replacement blocks. Every time a block is acquired, the Golem is healed (the amount of the healing depends also on the difficulty level)

    It may be wise to look for shelter when the Golem power aura is red, as there is not too much time before the golem explodes.

    When a Golem dies, it drops all of the blocks that were part of its body (including the valuable ore cube).

    -Snails

    Picture pending....

    They're slow and they hide in their shells, except when they don't have a shell. In that case they're just slow. Snails drop slime balls.

    -Insects



    [media][/media]

    Including Ants, butterflies, moths, flies, bees, fireflies, dragonflies, maggotts and crickets. Just for ambiance's sake

    -Turkeys



    Turkeys... they drop raw turkey when killed that can be cooked. Pretty straightforward stuff.

    check this video by BlockDaddy
    [media][/media]

    -Horses



    Horses are the first controllable mount in Minecraft. You will need to tame them before you can ride them. Once tamed, they won't despawn. There are 44! different kind of Horses available.

    Only regular horses, donkeys and zebras spawn in the wild.

    Horses need a saddle to be ridden. You can use either regular or horse saddles on them. Once you mount the horse, you'll need to break it by riding it repeatedly, you can make the process easier by feeding the horse hay, sugar lumps or apples.

    Tamed horses can be bred with the following combinations:


    The Gofa made this video explaining the breeding chart:

    [media][/media]





    This is the formula for the Essence of Undead. The Heart of undead is a rare drop of the Undead horse mobs, found at night. The essence of undead is used to obtain undead horses and heal them.

    When riding and undead horse, mobs will not attack you.

    To obtain rarer horses, you need a Zebra and the rare essences:


    Essence of Fire. The heart of fire is found only as a rare drop of Nightmares on the nether.


    Essence of Darkness. The heart of darkness is a rare drop of bathorses.
    Bathorses are aggressive mob horses found at night, mostly on underground caves.

    The Essence of Light is made by combining the other three essences


    The zebras can be found more frequently on plains biomes. You can increase the frequency of Zebras spawning by changing the 'Zebra Chance' option of the mod.

    Wild Zebras will flee on sight unless you're riding a white spotted or cow horse (tier 4 horses) or if you're riding another Zebra or Zorse. Once you tame a Zebra, you can breed a Zorse.

    Zorses are sterile and if given an essence of fire will transform it to a Nightmare. Giving it an essence of Darkness will transform the Zorse into a bat horse.

    If you give an essence of light to a nightmare, you will obtain an Unicorn. Unicorns can buckle other creatures and fall very slowly, floating down.

    If you give an essence of light to a Bat horse, while the bathorse is high in the sky at the cloud level, it will trasnform into a Pegasus.

    Pegasus and Unicorns can breed a White Fairy horse, however both will dissapear in the process. You need to give them both Essence of lights to get them ready for the mating. Also essence of light is used to heal them.

    If you give a light blue dye, a pink dye, lime dye, cactus green, orange dye, cyan dye, purple dye, ink sac, dandelion yellow, rose red, or a lapis lazuli to a white fairy horse, it will transform into a blue, pink, light green, green, orange, cyan, purple, black, yellow, red, or dark blue fairy horse. Fairy horses can carry a small inventory, if given a chest.

    Amulets are used to capture horses. The horses will drop any saddle, armor or inventory before being captured in the amulet. Only certain horses can be trapped in amulets:


    Amulet of the sky, to capture pegasus or black pegasus


    Fairy amulet for the fairy horses


    Ghost amulet, that can capture ghost horses


    Bone amulet, used to capture skeleton horses



    Horses can now wear armor, from softer to sturdier. They mitigate the damage the horses receive.


    Iron Horse Armor


    Gold Horse Armor


    Diamond Horse Armor

    And crystal armor for the rare horses
    (pending picture)



    This is how you craft the Horse Saddle:




    The only way to dismount a horse is by clicking the sneak key (shift)

    Quick guide on how to breed horses:
    Rules for breeding:
    -The horses to breed should be kept close (no more than 4 blocks away)
    -There should be no other horses around (8 blocks)
    -You have to feed them both to start the process (suitable foods are mushroom soup or pumpkins or rare essences for the rarer horses)
    -it takes time (about 1/2 Minecraft day)

    Quick Guide on How to use the Horses' Inventory:
    -Donkeys, mules, pegasus, black pegasus and fairy horses can carry bags
    -The horse needs to be tamed, and you need to give it a chest (only once)
    -A key will appear in your inventory. You can use that key to open any horse inventory. If the key is lost, you can craft a new one.

    How to activate the Nightmare's special ability:
    -it has to be tamed, you need to give it a redstone.
    -after that, ride it... and be careful


    You can craft a rope:

    that can be used to tie horses and BigCats, so they will follow you.

    -Ostriches



    Ostriches spawn in plains and desert biomes. You can find male, females and chicks. The males will fight back if attacked.




    The females and chicks will run away and hide their heads in the ground if attacked.
    Beware of the normally passive female ostriches, they'll fight you if you steal one of its eggs.




    Wild ostriches can't be tamed, but if you happen to 'acquire' an ostrich egg and hatch it, the chick will be tamed and will follow you around.

    You can give your tamed ostrich chick a name. The name can be changed by interacting with the ostrich while holding a medallion or book.

    Once the chick becomes adult, it will swap its feathers to reflect its gender. You can command your tamed ostriches by using a whip.

    If you give an adult tamed ostrich a saddle, you can ride it. while riding, if you crack your whip on the ground, the ostrich will sprint for a short period of time.

    Male ostriches are fast and the rare albino ostriches even faster.



    Ostriches can carry helmets that will reduce the damage received

    A chest can be given to an ostrich and they can carry a small inventory

    cloth colored cubes can be given to saddled ostriches to make them carry colored flags

    Nether ostriches are obtained by giving any tamed ostrich an essence of fire
    Nether ostriches will fly in a way inspired by the game 'Joust'. (It's requires skill!)

    Unihorned ostriches are obtained by giving any tamed ostrich an essence of light.
    They buckle animals in a similar way than with the unicorns. Unihorned ostriches can drop a unicorn

    Black wyvern ostriches are obtained by giving a tamed ostrich an essence of darkness
    they can fly if the jump button is used on a timely fashion. They propel themselves forward once flying. They're tricky but fun to control in the air.

    Undead ostriches are obtained by giving any tamed ostrich an essence of undead.

    -Snakes

    There are eight different kinds of snakes including a couple of shy snakes that will run away from the player and venomous snakes like corals, cobras, rattle snakes. There are also aggressive pythons.

    Different kind of snakes spawn based on the biomes. Rattlesnakes only spawn on deserts, pythons spawn on swamps and jungles

    Snakes mind their own business, if you get too close they will alert and hiss, giving you time to run away. If you don't they will attack you.

    A player carrying a bird or mice will attrack the nearby snakes. They hunt down small creatures

    You can obtain snake eggs. A snake egg that is dropped near a torch will hatch and the baby snake will be tamed and can be picked up. tamed snakes won't attack the player.


    Shy dark green snake:


    shy dark spotted snake:


    coral:


    green snake:


    orange snake:


    cobra:


    rattlesnake:


    python:

    -MantaRays



    Mantarays are peaceful creatures, they won't bother you at all.

    They can be tamed by mounting them. Then a fishnet can be used on them

    -Stingrays



    Stingrays will try to hide at the bottom of the water, they can be found in waters of most biomes except the Ocean and snow biomes. If you get too close, you have the chance of being poisoned by the stingray. Just avoid stepping on them!

    They can be tamed with fishnets

    -JellyFish.



    JellyFish will spawn on most waters. They are translucent and propel with pulsating movements. They are also luminescent at night. You can get poisoned if you get too close. JellyFish drop slimeballs. Just watch the water, you don't want to get poisoned!

    Can be tamed with fishnets

    -Added Goats





    Goats are really easy to tame, just drop any edible(food) item nearby. Once tamed, you can name them. you can also change the name by right clicking on the goat while holding a medallion

    Tamed and wild goats will follow you if you are carrying any edible items in your hand.

    You can use a rope on tamed goat to make them follow you

    You can milk female goats. Female goats don't have a goatie and have shorter horns

    Don't try to milk a male goat. It won't like it

    Male goats will fight back if provoked. They will also fight between themselves. They won't fight to death and will calm down after a short while.

    Goats are quite omnivorous. They will eat ANY item or floating blocks that are nearby. Even diamonds. If you die next to a goat it will have a feast with your dropped items. You have been warned

    -Crocodiles







    Crocodiles will roam around near beaches in the swamp biomes, sometimes they will remain static.
    Don't be fooled by a 'sleeping' crocodile, they are ready to attack and their speed can surprise you. They are very aggressive and fast in the water.
    Crocodiles snatch prey with their jaws, they will try to carry their prey to the water, were they'll perform a death roll.
    If a crocodile has caught you, you can try to get free by attacking it, but not all the hits will land. It's not that easy to scape crocodile's jaws.
    Crocodiles drop hides that can be used to craft 'Croc' armor

    -Turtles





    These shy lil' guys will hide from any other creature bigger than them.
    Turtles are resistant to most attacks unless they are upside down.
    If you right click on a turtle, you will flip it. It takes some time for the poor little guy to flop
    You can tame turtles by dropping watermelon slices or sugar cane near them.
    Once tamed, they will grow slowly, follow you around and also you can carry them on your head!

    -Scorpions



    Scorpions are nasty creatures that attack at night or if provoked. When scorpions attack, there is a chance of being poisoned.
    There are four different kinds of scorpions, the common variety will poison you, black scorpions spawn on caves. blue scorpions found on snow that will slow you down and the red scorpions found on the Nether and will set you on fire.

    Mother scorpions that are found with baby scorpions on their back drop babies which can be picked up and tamed.

    Scorpions drop either sting or chitin. The sting is a short lived weapon with special properties, causing poison, slow, confusion or fire on the targets
    the stings can be used to forge swords that will last longer and hit stronger (just add a diamond sword to three scorpion stings of the same kind.

    With the scorpion chitins, armor can be forged. A full set of armor confers a special ability. The cave Scorpion armor set allows night vision.
    The nether armor set gives fire resistance. The frost armor set enables water breathing. The regular scorpion armor gives mild regeneration.

    -Kitties





    Wild kitties will run from player. You can throw ('Q') cooked fish near them and once they eat it, they won't run away from the player. You can then give them a medallion to tame them. Once the medallion is given you can name them. The name and health bar can be toggled on/off individually by right clicking while holding a pickaxe or globally by using the in-game mod menu.

    Medallion:
    L = leather
    G = Gold ingot

    L L
    G


    Once the cat is tamed, it will look for a Kitty bed with food or milk.

    Kitty Bed:
    P = wood plank
    I = iron ingot
    W = Wool (you can use dyed wool as well, it will give you beds of different colors)

    P P P
    P W P
    I

    You can place beds and litter boxes by right clicking, and pick them up by right clicking while holding a pickaxe.

    You can transport a kitty bed or litter box in your head by right clicking on it without holding a pickaxe. You can transport kitties that are on lying on the bed or litter box that way. the kitties will want either milk or pet food poured into the kitty bed. While the cat is eating or drinking, you can see the milk/food level shrinking.

    Pet Food:
    any combination of Raw Pork + Raw fish

    Once the kitty has eaten, it will look for an unused litter box.

    Litter Box:
    P = wood plank
    S = sand

    P P P
    P S P
    P P P

    The litter box will become 'used'. This item is a powerful magnet for monsters. However ogres won't stomp and Creepers won't explode. Zombies will chase and push it whereas skeletons will throw arrows at it. It is quite a sight After a while, an used litter box will return to its empty state. You can also use sand on an used litter box to clean it.


    A cat that has eaten and used a litter box, will roam freely, it can become hungry again and look for food in a kitty bed again, or it will fall sleep at night, or try to climb a tree.

    IF you use a whip nearby cats, they will sit and won't move. You can also right click on a cat while wearing a whip to individually toggle sitting on/off

    Whip:
    L = Leather
    I = Iron Ingot
    C = BigCat Claws

    C L C
    L L
    C I

    If the cat has decided to climb a tree, you can watch it climbing. A cat that climbs a tree, will get trapped on top and will need help to come down.

    You can pick up a cat in three different ways: if it is a kitten, it will ride on top of your head. An adult cat will go on the player's shoulders. If you pick up a cat while holding a rope, you will carry it by its legs. Cats don't like to be carried that way and will be annoyed once you drop them.

    Rope:

    S = Silk

    S S
    S
    S S

    Cats can also get annoyed if they don't find a litter box or a bed with food or milk, or if you attack them once they're tamed.
    Once the cat is annoyed, it will chase the player and occasionally hurt him/her. After a while the cat temper will improve.

    A cat will follow you if you have a wool ball on your hand

    Wool Ball:
    S= string

    S
    s s
    s


    If you give the cat the wool ball, it will play with it for a while chasing it and pushing it, until the cat gets bored.

    You can breed cats by giving them cake. Once cake is given, the cat will look for another cat that is also in the mood (given cake). After a while one of them will become pregnant and will need to find a kitty bed.

    After a short while in the kitty bed, the cat will give birth to 1-3 kittens. Kittens will be very playful and will chase any items (not only wool balls), will play with the player and will chase its mom.

    If a kitten is attacked, its mom will defend them.

    Cats will display emoticons to give you clues of what they're thinking. You can turn emoticons off using the in-game mod menu.

    -Mice


    They will run away from everything. You can pick up a mouse by its tail. Mice drop seeds.

    -Rats


    They will attack the player at night or in dark areas, if you attack one rat, all the nearby rats will attack you. They are not too strong and their health is low. They drop coal.

    Watch this video from BlockDaddy O'Neal showcasing the rats
    [media][/media]

    -Deer



    Deer will run away from anything bigger than a chicken. They're peaceful creatures. You can find female, males and fawn.
    They drop pork meat

    -BigCats™

    (Image Pending)


    BigCats replace the lions that were part of the initial release of this mod.
    Besides male and female lions, there are Tigers, Cheetahs, Panthers, Snow Leopards and White Tigers.

    Female lions and Tigers will always attack the player if within range. Male lions, panthers and cheetahs will some times attack the player. BigCats will attack only when hungry. They will also eat raw pork or raw fish when hungry. Once they eat or kill a prey, they'll stop being hungry for a while.

    BigCats of different breeds will fight amongst them. Bring on the catfight! Tamed BigCats won't fight amongst them.

    Wild Cubs will seldom spawn. If you throw raw pork or raw fish near a small cub, and then you give it a medallion, you will tame it and it won't despawn or attack you. Once it grows to adult size, it will fight mobs on its own. Cubs will attack any other animal smaller than themselves. Bigger (almost adult) cubs won't be tamed.






    Tamed BigCats will follow you and fight any mob that targets you.

    BigCats will drop BigCat Claws when killed. You can use the BigCatClaws to craft a whip.



    Horses and BigCats will stay put when a whip is used near them (whitin 12 blocks). Also If you right click on a tamed Horse or BigCat while holding a whip, you can toggle them between moving and staying.

    If you use a rope on a tamed BigCat, it will follow you and fight your enemies

    You can watch this video by Foxy1990, showing how to tame BigCats
    [media][/media]

    -Lil' Fish





    They have 10 different colors/patterns. Piranhas are red and will attack anything that falls in the water. You can deactivate piranhas with the in game menu

    Fishbowls can be used to capture, transport and release fish. You can craft a fishbowl with four pieces of glass. an empty fishbowl can be filled with water

    A fishbowl with water can be used to capture fish. The fishbowl can be placed in the world and carried around in your head. If you want to bring a fishbowl back to your inventory, just
    right click on it while holding any pike.

    Fish can also be tamed with fishnets

    -Dolphins



    There are six different kind of dolphins (from common to rare): blue, green, purple, dark, pink and albino. The last two kinds are seen only rarely in the wild.

    Taming dolphins:
    You can tame dolphins by feeding them raw fish. the rarer the dolphin, the more raw fish it requires to be tamed. A blue dolphin requires 2 raw fish and an albino dolphin requires 12 raw fish. You can also tame dolphins by riding/breaking them. Rarer dolphins are noticeable faster than common ones.

    Breeding dolphins:
    Tamed adult dolphins can breed by feeding them cooked fish and keeping them apart from other creatures in a similar fashion than the horse breeding. Young dolphin can not breed or be tamed/ridden.
    Two dolphins of the same color will always have offspring of such color. Dolphins have a 'genetic value' from 1-6. (blue = 1 and albino = 6) if you mix and match dolphins you have 1/3 chance of obtaining a purple or dark dolphin if the genetic value addition of the parents is 3 or 4, and you have a 1/10 chance of obtaining a pink or albino dolphin if the genetic value addition equals 5 or 6. i.e. A pink dolphin(5) can be obtained in 1/10 of cases by combining a blue(1) plus a dark(4) dolphin or a green (2) plus a purple (3) dolphin.

    This video shows how to breed dolphins: (courtesy of Foxy1990)
    [media][/media]

    -Sharks



    The sharks will attack anything that falls in the water, except squids or other sharks. Sharks have different sizes, if you kill a big shark in easy difficulty or higher, you have a 10% chance of getting a shark egg. Right clicking on the shark eggs throws them. If the egg falls in water it will incubate and a tamed shark will hatch. Tamed sharks won't despawn and once they're big enough, will attack any other creature except sharks or the player.
    The shark model was inspired by charle88's thread. He also shared his textures.

    -Werewolves




    The first metamorphic and multi-stance mob for Minecraft! Don't be fooled by his appearance and sweet talk, they are ominous! He drops wood sticks or wood tools. At night it will transform into a vicious werewolf!

    There are four kinds of werewolves, of special interest is the fiery werewolf who can set targets ablaze.

    In daylight the werewolf will transform back into human form in no time. The best way to kill this beast is by using gold items (Think of it as the Minecraft silver). You have been warned, don't face one if you don't have a gold sword. It drops gold apples, stone or steel tools.

    Werewolves sometimes will run on all fours, which makes them faster

    -Bears



    There are four kind of bears in MoCreatures:
    Black bears and Grizzly bears will attack back if provoked. Polar Bears, that spawn in cold biomes will hunt down the player on sight. Panda bears are peaceful creatures that are attracted to sugar cane.

    You can tame a Panda bear by giving it reeds. Once tamed, a lazo can be used to make them follow you.

    -Wolves



    Spawns during the night time, only outdoors. It will attack you at night, and won't attack unless provoked during the day. Hunts small prey, and of course sheep!

    -Wraiths



    New flying mob. Spawns only on Normal difficulty or higher. Drops gunpowder

    -Flame Wraiths



    spawns only in Hard difficulty. Will set you on fire for a short time. Drops redstone. You can see them from a distance because of flashing flames.

    -Ogres




    The first mobs to destroy blocks! It destroys blocks sparing ore blocks and obsidian. The green ogre drops obsidian ore

    The fire Ogre is rarer than the regular ogre. This mob destroys blocks and ignites the floor on impact. It is fire resistant. It drops 'fire' so you can craft your chainmail.

    The Cave Ogre only spawns underground. It has the biggest area of damage. It drops diamonds.

    -Ducks



    Nothing original, I used material already available, credits go to dorino1 quack sounds plus painterly pack's duck texture.

    -Boars




    They attack smaller prey and if you get close to them, they can also attack you. Be warned

    -Bunnies



    Courtesy of


    -Birds!






    Birds add atmosphere to the game. There are six different kinds, and they have different sounds: Dove, Crow, BlueGrossBeak, Cardinal, Canary and Parrot. You can tame them by feeding them seeds. Once tamed, they won't be afraid of you and won't despawn.

    If you pick up a bird, you can glide safely from heights

    -Foxes



    They will attack only smaller creatures. Most of the work was done by Roundaround. I worked on the 3D model

    Frequently Asked Questions
    I apologize in advance, but any post in the forum or any private message with a question already answered here will be ignored. I just don't have the time to answer the same questions over and over again. Please don't PM me with requests or questions. Use the forum instead. I'm overwhelmed with PMs and I'm not reading them anymore.

    F.A.Q.
    Q.: Can I include your mod in my modpack?
    A.: Yes you can. No need to ask permission. Just go ahead!

    Q.: How do I get off my mount?
    A.: Press the 'F' key

    Q.: I installed the mod but don't see any of the new creatures.
    A.: perhaps the gamerule doMobSpawning is set to false. To fix it,open the world to LAN to allow cheats, then press 't', then type: /gamerule doMobSpawning true

    Q.: I only want to have xxx mob and not the others, can I?
    A.: Use the in-game menu to adjust the spawn rates for each individual mob. You can deactivate any mob by setting its frequency to 0

    Q.: I can't tame/ride a horse
    A.: Make sure you're using the right saddle and follow the previous instructions on how to tame horses

    Q.: I get a black screen when installing the mod
    A.: Did you forget to delete the META-INF folder?

    Q.: Does this work for SMP?
    A.: Yes

    Q.: The lions and bears are bipeds!!
    A.: You either did not install the Mod Loader or you installed another mod that conflicted with mine (i.e. a non Mod Loader mod)

    Q.: Can you do xxxx mob for me?
    A.: You're welcome to post your ideas/suggestions, I have a list of mobs to do...

    Q.: Does this work for Mac computers?
    A.: It does, the installation procedure is different.

    Q.: What program do you use to make the mobs?
    A.: I'm using Techne for models, paint.net for the textures, MCP plus Eclipse for the code

    Previous versions

    -MoCreatures v6.2.1 (for Minecraft 1.7.2)
    -Mo'Creatures v6.1.0 mirror (for Minecraft 1.6.4)

    -Mo'Creatures Mod v5.2.5.zip (Mirror) (MC 1.5.2)

    -Mo'Creatures Mod v5.2.3.zip (Mirror) (MC 1.5.2)

    -Mo'Creatures Mod v5.2.2.zip (Mirror) (MC 1.5.2)

    -Mo'Creatures Mod v5.1.5.zip (Mirror) (MC 1.5.1)

    -Mo'Creatures Mod v5.0.8.zip (MC 1.5.1)

    -Mo'Creatures Mod v4.7.0 (MC 1.4.7) requires CustomSpawner 1.11.2

    -Mo'Creatures Mod v4.6.0a (MC 1.4.7)

    -Mo'Creatures Mod v4.5.1.zip (Mirror) (MC 1.4.7)

    -Mo'Creatures Mod v4.5.0.zip (Mirror) (MC 1.4.7)

    -Mo'Creatures Mod v4.4.0.zip (Mirror) (MC 1.4.6)

    -Mo'Creatures Mod v4.3.1.zip (Mirror) (MC 1.4.5)

    -Mo'Creatures Mod v4.3.0.zip (Mirror)

    -Mo'Creatures Mod v4.2.3.zip (Mirror)

    -Mo'Creatures Mod v4.2.2.zip (Mirror)

    -Mo'Creatures Mod v4.2.1.zip (Mirror) (MC 1.4.5)

    -Mo'Creatures Mod v4.2.0.zip (Mirror) (MC 1.4.5)

    -Mo'Creatures Mod v4.1.3.zip (Mirror) (MC 1.4.2)

    -Mo'Creatures Mod v4.1.2.zip (Mirror) (MC 1.4.2)

    -Mo'Creatures Mod v4.1.1.zip (Mirror) (MC 1.4.2)

    -Mo'Creatures Mod v4.1.0.zip (Mirror) (MC 1.4.2)

    -Mo'Creatures Mod v4.0.4.zip (Mirror) (MC 1.3.2)

    -Mo'Creatures Mod v4.0.3.zip (Mirror) (MC 1.3.2)

    -Mo'Creatures Mod v4.0.2.zip (MC 1.3.2)

    -Mo'Creatures Mod v4.0.1.zip (MC 1.3.2)

    -Mo'Creatures Mod v3.7.1.zip (MC 1.2.5)

    Banners

    If you want to add a Mo'Creatures banner to your signature, you have different options:


    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/iYxei.png' /></a>








































    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/Uwhm8.png' /></a>


    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&t=86929"><img src='http://i.imgur.com/vygdJ.png' /></a>








































    Thanks to Jibberlicious
    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/DH52R.png' /></a>








































    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/MDDfn.jpg' /></a>
    And if you survived the bunny infestation...

    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/iIB8C.jpg' /></a>







































    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&amp;t=86929"><img src='http://i.imgur.com/UNlXu.jpg' /></a>


    <a href="http://www.minecraftforum.net/viewtopic.php?f=25&t=86929"><img src='http://i.imgur.com/Cpu63.jpg' /></a>

    Credits

    Coding: DrZhark, Bloodshot
    Modelling: Kent C Jensen (a.k.a. BlockDaddy O'Neal) and DrZhark
    Textures, Icons: BlockDaddy and DrZhark
    Sounds: DrZhark

    special thanks to:
    -ScottKillen: Extrabiomes XL compatibility coding
    -AtomicStryker: SMP port for Minecraft 1.2.5
    -Cojomax: adding custom sounds
    -Freakstricth: Forge sprites
    -Resuke: icons
    -Vaprtek: initial Horse Model.
    -Dorino1: quack sounds plus painterly pack's duck texture.
    -Macaque: first boar texture.
    -KodaichiZero: Bunnies!
    -Rondaround: fox idea, AI, sounds and texture
    -_303 and Risugami: help with ModLoader and AudioMod
    -Corosus: optimization changes in the code
    -charle88: shark's model inspiration
    -cdrumer11: pink and white dolphin skins
    -FireHazurd: first werewolf model and texture
    Posted in: Minecraft Mods
  • View jamioflan's Profile

    974

    Feb 26, 2011
    jamioflan posted a message on Flan's Mod 5.5.2 Update : 1.12.2, 100s of new Skins! : Helicopters, Mechas, Planes, Vehicles, 3D Guns, Multiplayer, TDM, CTF
    The new Flan's Mod Website is up!
    For downloads, content packs, servers and more, go check it out

    If it is down, you can get all the files for the mod and official content packs HERE


    Join our new Discord


    Check out the Flan's Mod: Apocalypse teaser trailer and new videos on my YouTube channel



    Also, like my mod on Facebook for development updates and follow my Twitter for more random mod related stuff

    Check out the mod trailer here:


    I'm restarting my Patreon page on which you can pledge support and get sweet rewards such as getting your favourite guns and vehicles added to Flan's Mod official content packs!


    If you are looking for the perfect present for your Flan's Mod obsessed friends, why not get them some 3D printed vehicle icons and make them some badges or fridge magnets?


    Check these and other models out at my Shapeways store

    Looking for downloads? Everything is on my website, flansmod.com
    Posted in: Minecraft Mods
  • View sp614x's Profile

    4537

    Apr 8, 2011
    sp614x posted a message on OptiFine HD (FPS Boost, Dynamic Lights, Shaders and much more)

    Hello everybody,


    This mod adds support for HD textures and a lot of options for better looks and performance.

    Doubling the FPS is common.


    You can follow the OptiFine development here: reddit.com/r/OptiFine, [email protected] or http://optifog.blogspot.com.

    Resources: translations, documentation, issue tracker.


    Get the Magic Launcher for easy mod installation, compatibility checking and more.


    Donate to OptiFine and receive the OptiFine cape as a sign of your awesomeness.

    The cape is visible to everyone using OptiFine. Thank you for being awsome.


    Download OptiFine

    Get all OptiFine versions here: optifine.net

    Features


    • FPS boost (examples) - doubling the FPS is common - decreases lag spikes and smooths gameplay
    • Support for HD Textures (info) - HD textures and HD fonts (MCPatcher not needed) - custom terrain and item textures - animated terrain and item textures - custom HD Font character widths - custom colors - custom block color palettes - custom lighting - unlimited texture size
    • Support for Shaders (info) - based on the Shaders Mod by Karyonix
    • Dynamic Lights - allows handheld and dropped light emitting items to illuminate the objects around them. It is similar, but not related to the Dynamic Lights mod
    • Variable Render Distance (example) - from Tiny to Extreme (2 x Far) in 16m steps - sun, moon and stars are visible in Tiny and Short distance
    • Configurable Smooth Lighting (examples) - from 1% - smooth lighting without shadows - to 100% - smooth lighting with full shadows
    • Performance: VSync Synchronizes framerate with monitor refresh rate to remove split frames and smooth gameplay
    • Smart Advanced OpenGL - more efficient, less artifacts - Fast - faster, some artifacts still visible - Fancy - slower, avoids visual artifacts
    • Fog control - Fog: Fancy, Fast, OFF - Fog start: Near, Far
    • Mipmaps (examples) - Visual effect which makes distant objects look better by smoothing the texture details - Mipmap level - OFF, 1, 2, 3, Max - Mipmap type - Nearest, Linear
    • Anisotropic Filtering (examples) - Restores details in mipmapped textures - AF level - OFF, 2, 4, 8, 16 (depends on hardware support)
    • Antialiasing (examples) - Smooths jagged lines and sharp color transitions - AA level - OFF, 2, 4, 6, 8, 12, 16 (depends on hardware support)
    • Better Grass Fixes grass blocks side texture to match surrounding grass terrain
    • Better Snow (examples, credit) Fixes transparent blocks textures to match surrounding snow terrain
    • Clear Water (examples) Clear, transparent water with good visibility underwater
    • Custom Sky (info) Use custom textures for the day and night skies. Multiple layers, blending options, time configuration.
    • Random Mobs Use random mob textures if available in the texture pack
    • Connected Textures (examples) Connects textures for glass, glass panes, sandstone and bookshelf blocks which are next to each other.
    • Natural Textures (examples, idea) Removes the gridlike pattern created by repeating blocks of the same type. Uses rotated and flipped variants of the base block texture.
    • Faster Math Uses smaller lookup table which fits better in the L1 CPU cache
    • FPS control - Smooth FPS - stabilizes FPS by flushing the graphics driver buffers (examples) - Smooth Input - fixes stuck keys, slow input and sound lag by setting correct thread priorities
    • Chunk Loading Control - Load Far - loads the world chunks at distance Far, allows fast render distance switching - Preloaded Chunks - defines an area in which no new chunks will be loaded - Chunk Updates per Frame - allows for faster world loading - Dynamic Updates - loads more chunks per frame when the player is standing still
    • Configurable Details - Clouds - Default, Fast, Fancy - Cloud Height - from 0% to 100% - Trees - Default, Fast, Fancy - Grass - Default, Fast, Fancy - Water - Default, Fast, Fancy - Rain and Snow - Default, Fast, Fancy - Sky - ON, OFF - Stars - ON, OFF - Sun & Moon - ON, OFF - Depth Fog - ON, OFF - Weather - ON, OFF - Swamp Colors - ON, OFF - Smooth Biomes - ON, OFF - Custom Fonts - ON, OFF - Custom Colors - ON, OFF - Show Capes - ON, OFF (supports HD capes)
    • Configurable animations - Water Animated - OFF, Dynamic, ON - Lava Animated - OFF, Dynamic, ON - Fire Animated - OFF, ON - Portal Animated - OFF, ON - Redstone Animated - OFF, ON - Explosion Animated - OFF, ON - Flame Animated - OFF, ON - Smoke Animated - OFF, ON - Void Particles - OFF, ON - Water Particles - OFF, ON - Rain Splash - OFF, ON - Portal Particles - OFF, ON - Dripping Water/Lava - OFF, ON - Terrain Animated - OFF, ON - Items Animated - OFF, ON
    • Fast Texturepack Switching Switch the current Texturepack without leaving the world
    • Fullscreen Resolution Configurable fullscreen resolution
    • Debug - Fast Debug Info - removes lagometer from debug screen - Debug Profiler - removes profiler from debug screen
    • Time Control Default, Day Only or Night Only - works in only in Creative mode
    • Autosave - Configurable Autosave interval - A fix for the famous Lag Spike of Death

    Editions


    Even Older Versions

    Even older versions of OptiFine are available in the OptiFine history.

    If you have previously used MCPatcher for HD Textures, HD Fonts or Better Grass (important)

    Follow these steps to prevent a possible "Black Screen" problem when installing OptiFine:

    1. Temporarily revert back to the Default Texture Pack.

    2. Uninstall the HD Textures, HD Fonts, and Better Grass mods from the MCPatcher. These functions are included in OptiFine.

    3. Set Graphics to Fancy

    4. Install OptiFine and test with the Default Texture Pack to make sure everything is working.

    5. Select your previous texture pack and graphics settings

    6. Run Minecraft and enjoy

    Compatibility with other mods

    When installing OptiFine together with other mods always make sure to install OptiFine last. The only exception are mods which are designed to be installed after OptiFine and say so in their install instructions.

    If you need ModLoader: Install OptiFine AFTER ModLoader.

    If you need Forge: Install OptiFine AFTER Forge.

    MCPatcher is NOT needed for HD textures, HD fonts and BetterGrass, they are included in OptiFine. Install OptiFine without MCPatcher's HD features for best performance.

    If you need DynamicLights (ModLoader edition): Install OptiFine AFTER DynamicLights.

    Compatible with: ModLoader, Forge, SinglePlayerCommands, TooManyItems, PlasticCraft, CJB's Modpack, Zan's Minimap, Rei's Minimap, DynamicLights, GLSL Shaders 2, LittleBlocks and many other.

    Not compatible with: CCTV, The Aether.

    Installation


    For Minecraft 1.6.2 and newer

    A. Simple (for OptiFine 1.6.2_C4 and newer)

    - Double-click the downloaded JAR file and the OptiFine installer should start

    - Click "Install" and OptiFine will be installed in the official Minecraft launcher with its own profile "OptiFine"

    - Start the official launcher and play

    B. Easy

    - Use the official launcher to download and start once Minecraft 1.6.2.

    - Double-click the downloaded JAR file and the OptiFine installer should start

    - Click "Extract" and save the OptiFine MOD file

    - Start Magic Launcher

    - Click "Setup"

    - Select Environment "1.6.2"

    - Click "Add" -> select the OptiFine MOD file

    - Click "OK"

    - Login and play

    C. Complex

    - Use the official launcher to download and start once Minecraft 1.6.2.

    - Go to the minecraft base folder (the official launchers shows it when you click "Edit Profile" as "Game Directory")

    - Go in subfolder "Versions"

    - Rename the folder "1.6.2" to "1.6.2_OptiFine"

    - Go in the subfolder "1.6.2_OptiFine"

    - Rename "1.6.2.jar" to "1.6.2_OptiFine.jar"

    - Rename "1.6.2.json" to "1.6.2_OptiFine.json"

    - Open the file "1.6.2_OptiFine.json" with a text editor and replace "id":"1.6.2" with "id":"1.6.2_OptiFine" and save the file

    - Copy the files from the OptiFine ZIP file in "1.6.2_OptiFine.jar" as usual (you can use the 1.5.2 instructions for this) and remove the META-INF folder from "1.6.2_OptiFine.jar".

    - Start the official launcher

    - Click "Edit Profile" - Select "Use version:" -> "release 1.6.2_OptiFine"

    - Click "Save Profile"

    - Click "Play" or "Login" to start the game. If only "Play Offline" is available, then log out and log in again to fix it.

    Installation for Minecraft 1.6.2 with Forge

    A. Easy

    - Use the official launcher to download and start once Minecraft 1.6.2.

    - Use the Forge installer to install Forge

    - Use the official launcher to start once Minecraft with the Forge profile.

    - Start Magic Launcher

    - Click "Setup"

    - Select Environment "Forge9.10.X.Y"

    - Click "Add" -> select the OptiFine ZIP file

    - Click "Advanced"

    - In the field "Parameters" add "-Dfml.ignorePatchDiscrepancies=true"

    - Click "OK"

    - Login and play

    B. Simple (for OptiFine 1.6.2_C4 and newer)

    - Put the OptiFine JAR file in the Forge "mods" folder

    - Start Minecraft and Forge should automatically load OptiFine

    B. Complex (not working for Forge #780 and #781)

    - Use the official launcher to download and start once Minecraft 1.6.2.

    - Use the Forge installer to install Forge

    - Go to the minecraft base folder (the official launchers shows it when you click "Edit Profile" as "Game Directory")

    - Go in subfolder "Versions"

    - Go in subfolder "Forge9.10.X.Y"

    - Copy the files from the OptiFine ZIP file to "Forge9.10.X.Y.jar" as usual (you can use the 1.5.2 instructions for this) and remove the META-INF folder from "Forge9.10.X.Y.jar".

    - Start the official launcher

    - Select profile "Forge"

    - Click "Edit Profile"

    - Select the checkbox "JVM Arguments" and in the field next to it add "-Dfml.ignoreInvalidMinecraftCertificates=true -Dfml.ignorePatchDiscrepancies=true"

    - Click "Save Profile"

    - Click "Play" or "Login" to start the game. If only "Play Offline" is available, then log out and log in again to fix it.

    For Minecraft up to 1.5.2

    If possible start with a clean minecraft.jar and check the mod compatibility section above.

    A. Easy Installation

    1. Download and start the Magic Launcher

    2. Click Setup, click Add, select the downloaded zip file

    3. Click OK, login and play Minecraft

    B. Manual Installation

    Windows/Linux Instructions:

    1. Locate your minecraft.jar file. On Windows, it's in %APPDATA%/.minecraft/bin

    2. Create a backup of minecraft.jar

    3. Open minecraft.jar in an archive editor (WinRar/7-Zip/etc)

    4. Delete the META-INF folder.

    5. Copy (drag and drop) the .class files from the downloaded zip file into the jar file, replacing previous files.

    6. Run Minecraft and test!

    Mac Instructions:

    1. Locate your minecraft.jar file. On Mac, it's in /Library/Application Support/minecraft/bin

    2. Create a backup of minecraft.jar

    3. Rename minecraft.jar to minecraft.zip and double-click it to extract the contents

    4. Rename the resulting folder to minecraft.jar and open it

    5. Copy the .class files from the downloaded zip into the minecraft.jar folder, replacing previous files

    6. Run Minecraft and test!

    Please test and report back, include CPU, GPU and FPS before/after. Feedback is always welcome.


    Copyright

    The mod OptiFine is Copyright © 2013 by sp614x and the intellectual property of the author. It may be not be reproduced under any circumstances except for personal, private use as long as it remains in its unaltered, unedited form. It may not be placed on any web site or otherwise distributed publicly without advance written permission. Use of this mod on any other website or as a part of any public display is strictly prohibited and a violation of copyright.
    Posted in: Minecraft Mods
  • View Captain_Chaos's Profile

    487

    Mar 29, 2011
    Captain_Chaos posted a message on WorldPainter - graphical & interactive map creator/generator

    Welcome to WorldPainter, a graphical and interactive map painter / generator. Quickly generate expansive, natural looking landscapes, with full manual control over the terrain, using an easy to use and well performing program.

    Check out these great examples of both usage and results of WorldPainter. Note that I didn't create these landscapes, or these videos:



    Features:

    • Custom biome painting
    • Create your own custom brushes
    • Add custom objects from bo2 files or schematics to the world
    • Customise the location and frequency of underground ores and resources
    • Add snow and ice
    • Easy to use yet flexible and powerful paint-like tools
    • Create oceans, landmasses, plains and mountains
    • Change the terrain type, add trees and create caverns

    → To download WorldPainter, go to the official website at https://www.worldpainter.net/


    → For support, please use the official WorldPainter subreddit!


    Troubleshooting - FAQ - other documentation - support.

    You can check the change log here. The installers were created with . WorldPainter is free and open source software, released under the GNU Public License (GPL) version 3. The source code is hosted on GitHub.

    It should be pretty self-explanatory, and the rest you should be easily able to find out by clicking around. Don't forget to try all your mouse buttons, and try holding them down! Post in this thread to get support from me or other users of WorldPainter.

    The Load and Save functions save the map in WorldPainter format. The Export function exports the map to a Minecraft world. By default it is exported right to your Minecraft saves directory. You can then open the world in Minecraft under Singleplayer.

    The Import and Merge functions allow you to import the landscape from an existing map, and then merge any changes you make to the landscape back to the existing map. It is not meant for general purpose map editing! WorldPainter is, and always will be, a map generator, not a map editor. Note that this functionality is dangerous! Use it at your own risk. Please see this post for important information about how these functions work, and their limitations.

    This tool is not meant to create ready to run single player maps, it's meant to create server levels and adventure maps. The idea is to create the basic landscape, with your mountain ranges, oceans, forests, snow and ice, lakes, hills, etc. using the tool, and then go in and fill in the details with other tools.

    Please donate!

    WorldPainter takes a lot of time to create and maintain. Even though it is free, please show your appreciation by donating: or .

    You can also donate bitcoins! The bitcoin address for donations is: 1NK8PFYFetTiWReujPsQXDcarXKJuYtqgF. You can also scan this QR code with a Bitcoin app:

    Linking to WorldPainter

    If you want to link to WorldPainter from your own site or another forum, I would be honoured! But please don't link directly to the downloads, or upload the files to file sharing sites or host them yourself! Instead, please link people to the official homepage: https://www.worldpainter.net/

    Frequently Asked Questions

    If you have a question which is not answered on the official Frequently Asked Questions page, please go to the official WorldPainter support subreddit.

    Posted in: Minecraft Tools
  • View MrCompost's Profile

    899

    Jun 16, 2012
    MrCompost posted a message on The Betweenlands ~ A dark, hostile environment...
    The Betweenlands





    The Betweenlands is a mod developed by the Angry Pixel modding group. This large and expansive mod adds a whole new dimension with a plethora of exciting new content that offers an exciting and challenging survival experience.

    The Betweenlands dimension is a dark and mysterious realm where strange, monstrous creatures roam amongst the remnants of a long lost civilisation. Do you dare to explore?

    Features include -
    • A complete independent survival experience with hours of gameplay
    • A whole new dimension to survive in
    • Many new creatures and monsters to fight
    • Bosses to defeat
    • Plenty of unique biomes and structures to explore and loot, from towering fortresses to scattered underground ruins
    • An extensive herblore system that allows you to create over 30 unique infusions from 14 different aspects found in plants
    • A unique farming system with several new crop types
    • Over 300 new blocks to build with, including various machine blocks and a whole lot of plant life
    • Over 350 new items, including lots of unique weapons and loot, complete tool and armour sets, plenty of food items, new raw materials, scraps of lore and more
    • Over 250 new sounds, including 7 immersive ambient tracks and 33 music tracks
    • Lots of new mechanics, including food sickness, corrosion of tools, decay of the player, and a combat circle revolving around 3 new gem items
    • Randomly occurring events, including changes in the weather as well as sometimes more supernatural occurrences
    • Special built-in custom shader effects to make the worlds look even prettier
    • Multiplayer compatibility so you can survive with your friends
    • ...and much, much more!
    More information can be found on the mod's CurseForge page and on the official wiki.




    The Betweenlands download



    LINKS-

    The Betweenlands on CurseForge
    The Betweenlands repository on Github
    For frequent news and updates, follow @BetweenlandsDev on Twitter
    Feeling a bit overwhelmed by all the new stuff? The official wiki for the mod can be found here!


    https://discord.gg/cMrr7Dr
    We now also have an official Discord server for The Betweenlands where you can hang out and maybe chat with the developers (we're usually around).Come drop by and say hi!




    Posted in: Minecraft Mods
  • View user-7851964's Profile

    396

    Dec 31, 2012
    user-7851964 posted a message on The Lord of the Rings Mod: Bringing Middle-earth to Minecraft - Update 34.3




    Facebook Page | Official Server | Official Wiki | F.A.Q. | YouTube Channel


    Experiencing Lag in Middle-earth? Use FastCraft.

    Watch Mind of Mike's exciting new series with the mod, from early 2017. Thanks, Mike!


    Mind of Mike also has a beginners' guide to the mod, which is really helpful. You can watch it below:


    ______________________________________________________________


    About the Mod

    The Lord of the Rings Mod is a huge expansion for Minecraft that aims to add the world of Middle-earth into the game. This will include content from J. R. R. Tolkien's most famous work, The Lord of the Rings, and from other related tales such as The Hobbit and The Silmarillion.

    The mod has been in development since December 2012, with a great amount of planned features yet to come in the future. New updates are published frequently - usually every couple of months.

    If you are interested in following the progress of the mod, go to our Facebook page, where we showcase new content for upcoming updates. You can also give feedback there, and submit suggestions. Please read the FAQ before submitting a suggestion!

    The official wiki is the place to go if you want to learn about the mod and its contents, or find a server to play on. You can also post suggestions, bug reports, and discuss all sort of things on the wiki forums.

    The main features in the mod so far are:

    • A new Middle-earth dimension
    • Over 100 new biomes, sub-biomes, and biome variants, each with their own unique structures and resources
    • Biomes are generated in accordance with Tolkien's map of Middle-earth
    • The mysterious, unexplored lands of Rhûn and Harad
    • The ancient Pits of Utumno, a terrifying dungeon dimension full of Morgoth's evil creatures
    • Hundreds of new blocks, weapons, armours, foods, and items
    • People and races from the Lord of the Rings world
    • An alignment system where your actions can improve or harm your reputation with many independent factions
    • New gameplay elements dependent on the player's alignment: trading, unit hiring, and an expanded achievement system
    • Randomly generated Mini-Quests, and the Red Book to record them
    • A system of modifiers for customising and upgrading your weapons, tools, and armour
    • Seamless multiplayer integration in all areas of the mod

    And some of the main planned features still to come in future updates:

    • Even more blocks, items, and factions from Middle-earth
    • Larger, pre-written quests, ranging from minor 'side quests' to epic adventures
    • New types of mini-quests
    • Characters and places from the Lord of the Rings storyline
    • More boss battles
    • Ring-forging, siege weapons, and a 'redstone alternative' for Middle-earth
    • Other realms... The Undying Lands? First Age Beleriand? Númenor?

    For a more in-depth and comprehensive summary of the mod's features, please see this Mod Overview article on the mod's wiki. Also check out the Middle-earth Gameplay Guide, and the Building Tips page if you are so inclined.


    (There are, besides those linked above, many other useful guides and articles on the wiki which I have not listed here - go and have a look!)

    ______________________________________________________________

    Downloads

    Download the current version: Update 34.3 for Minecraft 1.7.10


    Requires Minecraft Forge version 1558 or higher.


    The complete changelog for all released versions can be viewed here.


    This mod contains a version checker.

    Warning: If you are running the mod on a Cauldron (MCPC+) server, you may experience unexpected bugs, crashes or other failures that are not this mod's fault. Please see here for an explanation of why it is not this mod's fault, and why I cannot really do anything to fix it.

    Installation


    Watch Mind of Mike's beginners' guide on how to install the LOTR mod. (New in 2018)


    For more guides and information, including how to install the mod on servers: see the Help section on the mod's wiki.


    Downloads for older versions:


    (Warning: Older versions may contain old bugs which have since been fixed. Use at your own risk.)

    These can be found at the updates page on the wiki.

    NEI Plugin


    The Ranger Malvegil is developing a plugin for Not Enough Items (NEI) for use with the Lord of the Rings Mod, that shows crafting recipes on Middle-earth tables, barrel brewing recipes, and other recipes from the mod. Thanks, Malvegil!


    You can find the forum thread for this plugin here, with downloads and information.


    Note that this plugin is not affiliated with the LOTR mod: you should report any problems, crashes, etc. to them, not to us.

    ______________________________________________________________


    Donate

    Some people have expressed interest in donating to the mod, so if you want to donate, here are some fine buttons with which to do so.







    ______________________________________________________________


    Concerning Modpacks

    TheAtlanticCraft's Fellowship modpack includes the Lord of the Rings Mod along with over 50 other mods, and they have dedicated public servers running the pack.The link goes to their Minecraft Forums thread which has all the links and information you should need to download and install the modpack. Please note that feedback/bug reports/other issues concerning the Fellowship modpack should be discussed on their forums and websites, and not on this forum post.

    If you want to create and publish your own modpack including the mod, you don't need to ask for my permission, but you must credit me as the author of this mod and provide a link to this post. It's only fair!

    (If the modpack is just for private use, i.e. it won't be posted anywhere for the public to use - such as for your own use and a small group of friends on a private server - there's no need to do that.)

    ______________________________________________________________


    Signature banners









    If you would like to support the mod with one of these banners, copy and paste the following code into your signature:

    Middle-earth

    [url=http://www.minecraftforum.net/topic/1626486-the-lord-of-the-rings-mod-bringing-middle-earth-to-minecraft/][img]http://i.imgur.com/njpSEtu.jpg[/img][/url]




    Mordor

    [url=http://www.minecraftforum.net/topic/1626486-the-lord-of-the-rings-mod-bringing-middle-earth-to-minecraft/][img]http://i.imgur.com/8mJjS66.jpg[/img][/url]


    The Shire

    [url=http://www.minecraftforum.net/topic/1626486-the-lord-of-the-rings-mod-bringing-middle-earth-to-minecraft/][img]http://i.imgur.com/1HUA6.jpg[/img][/url]




    Fangorn Forest

    [url=http://www.minecraftforum.net/topic/1626486-the-lord-of-the-rings-mod-bringing-middle-earth-to-minecraft/][img]http://i.imgur.com/7hQN7CW.jpg[/img][/url]

    This mod (plugin, a patch to Minecraft source, henceforth "Mod" or "The Mod"), excepting any and all characters, locations, etc. or other trademarks, which are the intellectual property of the Tolkien Estate, Warner Bros. Entertainment, or other related entities, is the property of the Mod author (Mevans, henceforth "Owner" or "The Owner"). It may only be mirrored or reposted with advance written permission of the Owner. The Mod is intended as a tribute to the Lord of the Rings and the world of Middle-earth and the Owner makes no claim upon the Lord of the Rings or any associated trademarks of the Tolkien Estate, Warner Bros. Entertainment, or other related entities, nor does he affiliate himself with them in any way.

    Posted in: Minecraft Mods
  • View obsidianCore's Profile

    65

    Feb 23, 2012
    obsidianCore posted a message on [WIP] ~Warrior Cultures~ Updated!

    We are back at it ! Warrior Cultures Mod is being developed, I have joined forces with TEAM DEV to get this done.


    No estimate as to wen the first release will be available yet, but we are doing our best to bring it to you as fast as possible.


    W e are moving ahead with the first of the Mediterranean/ grecko - roman cultures (Spartan, Classical Greek, and Roman) for the first release.


    Images and previews on this page might be outdated and subject to change.


    Thank you all for being so patient!


    We do still need modelers for armor and objects, model texture artists and builders


    So please do not hesitate to PM me or contact me via this OP or on DISCORD if you'd like to help.


    Discord for WC: https://discord.gg/gwN48t




    WARRIOR CULTURES MOD:


    Hello all, this mod will introduce different warrior cultures from history, along with their myths, weapons and techniques.
    Some weapons will remove an enemies shields, and other weapons can disarm your opponents, some weapons out range others, and some are simply stronger than others.


    Some weapons, items, and artifacts will not be craft-able. and can only be obtained by looting, raiding and pillaging. go on treasure hunts and venture into dangerous territory to find the rare and precious artifacts.

    Create alliances with clans and orders or form your own.


    Decorate your walls with weapon mounts/trophies or place then strategically for easy access like above your bed, above your fireplace or in the hall ways.

    If u like the what we have planned, a +1 or feedback cant hurt. :steve_wink:
    If you would like to help in any way please post what u would like to do.


    New Forge and artisan table will be used to craft most WC weapons armor and shields:




    Crafting GUI:



    New inventory GUI:



    Say hi to Kratos:

    Careful , when you run into him in your MC world he will have armor and weapons



    New planned features:


    • New diverse weapons and weapon behavior.
    • Dual wielding.
    • New 3D armor
    • New items with special features and behavior.
    • New mobs and NPCs with interaction and new behavior.
    • New sounds.
    • New challenges.
    • New blocks.
    • New ore.
    • New GUI.
    • New animations.
    • Throwable weapons and other items
    • Bonus/secret and un-craft-able items.

    New Blocks:

    Bamboo is the first preview of a building block we are willing to show.

    New GUI:

    Old preview of GUI has been removed and changed, will upload preview soon.

    New Items and blocks:

    Main blocking items:
    • shields,
    • gauntlets,
    • wrist bands.
    • pavises.
    • iron rings.
    • buckles.
    • AND MORE.
    Armor/clothes:
    • helms,
    • chest plates,
    • leggings,
    • robes,
    • capes,
    • wraps.
    • hats.
    • masks.
    • headbands.
    • shoes.
    • sandals.
    • boots.
    • chin guards.
    • AND MORE
    Close-Medium combat weapons:
    • long swords.
    • short swords.
    • knives.
    • spears.
    • pikes.
    • canes.(staff)
    • sickles.(scythes)
    • spikes.
    • batons.
    • chain weapons.
    • AND MORE
    Long range weapons:
    • bows.
    • arrows.
    • bolts.
    • crossbows.
    • javelins.
    • throwing knives.
    • darts.
    • other throwables.
    • possible primitive muskets
    • AND MORE
    Other items and blocks:
    • mobile beds
    • opium pipes
    • walking canes
    • jug of wine.
    • battle standards. (carry-able/place-able banners)
    • chopping board.
    • mounting blocks.
    • wok. (frying pan)
    • rosaries.
    • stoked forge.
    • anvil.
    • hammer.
    • umbrella.
    • fan.
    • safe keeping box.
    • various musical instruments.
    • grinding stone
    • AND MORE

    Mobs

    humans, gods, heroes:
    • Athenian
    • Spartan (bronze, crimson ghost of sparta)
    • Roman (centurian, legionare, ceaser, praetorian guard)
    • Thespian
    • Trojan
    • Arcadian
    • Alexander the great
    • Hephaestus
    • Hurcules
    • Amazons (Guard, queen and princess)
    • Maximus
    • Gladiators (Bestiarii, crupellarus, hoplomachus, mirmillo, peagniarus, retiarius, scissor, thraex)
    • Berserker
    • Celts (tribesman, merlin)
    • Concuestedor
    • Crusader
    • Dark knight
    • Dark Templar
    • Dracula / Vlad the impaler
    • Dragon slayer
    • English guard
    • Germanic tribesman
    • Golden paladin
    • Gothic Tribesman
    • Highlander
    • Hun
    • King arthur
    • Lowlander
    • Renaissance assassin
    • Robin hood
    • Vikings (chiefton, hordesman, thor, loki)
    • Hussar (cavelry, footman)
    • Bamboo ronin
    • Bishamon
    • Dark ninja
    • Dragon samurai
    • Dynastic guard
    • Emperial giurd
    • Geisha
    • Guilded samurai
    • Kamuso
    • Kung lao
    • Lighting samurai
    • Mongol
    • Ninja master
    • Turtle warrior
    • Okinawan master
    • Panda warrior
    • Rattan ronin
    • Scorpion ninja
    • Shaolin monk
    • Shinobi assassin
    • Snake samurai
    • Sushi chef
    • Taiwanese fish warrior
    • Taoist monk
    • Thai warrior
    • Baluba warrior
    • Basotho (warrior, herdsman)
    • Crocodile warrior
    • Egyptians (soldier, pharoah, anubis risen, horus risen, scarab mummy, scorpion king)
    • Ethiopian warrior
    • Ivory warrior
    • Masai warrior
    • Zulu (warrior, shaka zulu)
    • Zande warrior
    • Apache
    • Aborigine
    • Aztec (eagle warrior, priest warrior, jade warrior, jaguar warrior)
    • Buffalo warrior
    • Grizzly bear warrior
    • Hawaiian warrior
    • Hopi
    • Inca (general, soldier)
    • Inuit (polar bear warrior, hunter warrior)
    • Kiribati warrior
    • Mauri warrior
    • Mayan (pheonix warrior, shell warrior, warrior of the dead)
    • New gunea warrior
    • Rapu nui warrior
    • Tlingit warrior
    • Wolf warrior
    • Arab fighter
    • Filipino fighter
    • Ganesh
    • Gurkha
    • Hashashin
    • Indian guardian
    • Indonesian head hunder
    • Abir fighter
    • Persians (prince, immortal)
    • Rajput fighter
    • Shiva
    • Sikh fighter
    • AND MORE
    animal mobs:
    • Nemean lion
    • Lion
    • Elephant (indian, african)
    • Horse
    • Snake
    • Jaguar
    • Leopard
    • Cheetah
    • Ostrich
    • Eagle
    • Fish (shark, empurau, puffer, salmon, marlin/swordfish whale, narwal)
    • Buffalo
    • Goat
    • Kudu
    • Bear (grizzly, black, polar, panda)
    • Silk worm
    • Parot
    • Rhino
    • Hippo
    • Crocodile
    • Seal
    • Walrus
    • Wild bore
    • Turtle (red sea turtle, aligator snapping turtle, green sea turtle)
    • Tortoise(american tortoise, african tortoise, ivory tortoise)
    • Horn-bill bird
    • Tiger
    • Camel
    • Golden lamb
    • Elk
    • AND MORE

    New materials:


    • tin.
    • copper
    • bronze.
    • steel.
    • silver.
    • turtle shell.
    • bamboo.
    • rattan.
    • cloth.
    • skin/hide.
    • new wood.
    • AND MORE

    Greko-Roman cultures:

    Armor Preview:

    Coming Soon


    Gladiators:
    All gladiator armor and weapons can only be acquired by fighting in the arena against gladiators once u have acquired a specific type of gladiator armor then only can you craft that armor set.

    bestiarii:
    Acquiring a full bestiarii armor set will stop normally hostile wild animals from attaching you without provoking them. this armour and weapon is the weakest of the gladiator sets, more details to come later.

    crupellarus:
    This is the heaviest and strongest of the gladiotor sets wearing full set will gain u respect from the other crupellarus fighters. more details to come later.

    hoplomachus:
    Wearing this full set will gain u respect from other hoplomachus fighters. more details later.

    mirmillo:
    wearing the full set will gain u the respect of the other mirmillo fighters more details to come later.

    peagniarus:
    wearing this full set weill earn you respect with other peagniarus fighters ,ore detals to come later.

    retarius:
    wearing this full set will earn u respect from other retarius fighters, more details to come later.

    scissor:
    wearing this full set will earn you respect from other scissor fighters. more details to come later.

    thraex:
    Wearing this full set will earn you respect from other thraex fighters, more details to come later.



    The rest:
    warrior princess (yes based on xena):


    amazon queen:



    amazonian guard:



    achilles:



    trojan:



    arcadian murcenary:



    alexander the great:



    athenian:



    bronze spartan:



    crimson spartan:



    ghost of sparta (yes based on kratos):



    ceasar:



    praetorian guard:



    centurion:



    legionare:



    maximus (yes based on the movie gladiator):



    hephestius:



    hercules:




    Primary weapons:

    roman legionarys gladius: can be thrown. cannot be dual wield.

    roman centurians gladius: can be thrown. can dual wield. can stab.

    thracian mercenarys falcata: can be thrown. can dual wield, cannot stab. can slash.

    achiles sword : can be thrown. can be dual wield. can stab, can slash up

    athenian gladius: can be thrown, cannot be dual wield. can stab.

    thespian gladius: cannot be thrown, can dual wield. can stab, can slash up.

    gladiator xiphos: cannot be thrown, can dual wield can stab can slash up

    bronze spartan falcata: can be thrown, can be dual wield.

    spartan king falcata: can be thrown, can dual wield, can stab

    crimson spartan kopis: cannot be thrown, can dual wield, cannot stab, can slash.

    praetorian guards xiphos: cannot be thrown, cant be dual wield, can stab. can slash up.

    Secondary weapons:

    roman whip: long melee range, can disarm enemy. crack'a whip!

    athenian bow: long range. (not so accurate) short range. (accurate) long draw back. (slow firing)

    spartan lakonia knife: can dual wield. can be thrown accurately at medium range. no draw back. craft in 2x2 grid. stack up to 3. can stab.

    crimson spear: can only dual wield with shield. long melee range. can stab. can swing horizontally. (hit surrounding mobs) rear thrust. (hits mob behind you automatically wen attacking)

    crimson javelin: throw long range (accurately) long draw back, cannot dual wield. can stack up to 3. can be placed on ground (home defense)

    gladiators trident: can be thrown at medium range (accurate) short draw back. cannot stack, can only dual wield with shields. long melee range. can disarm mobs. (certain weapons only) can stab. rear thrust. (hits mob behind you automatically wen attacking) horizontal swing. (hit surrounding mobs)

    praetorian guards pike: cannot be thrown. long melee range. can stab (penetrate 3-4 mobs)
    rear thrust. (hits mob behind you automatically wen attacking) horizontal swing. (hit surrounding mobs)


    roman bow: long range (accurate) short range (not so accurate) quick draw back. (rapid fire)
    can penetrate 2-3 mobs.

    roman spear: long melee range. can stab. cannot throw. can horizontal swing.

    spartan king spear: long melee range. can stab (over penetrate 3-4 mobs) can horizontal swing. can throw at medium range (accurate) (over penetrate 2 mobs) rear thrust.

    spartan kings javelyn: throw long range (accurately) (over penetrate 3-4 mobs) short draw back, cannot dual wield. can stack up to 3. can be placed on ground (home defense)


    thespian bow: long range (not so accurate) short range (accurate) (over penetrate 2-3 mobs)
    multi-shot at long range (4-6 arrows at once) short draw back
    thracian spiked axe: medium melee range. can dual wield. can horizontal swing. can remove shields from mobs. can be thrown at long range (accurate) short draw back. can stack up to 2. can chop whole trees (at high cost of durability)

    trojan pike: long melee range. can stab. can remove shields from mobs. can horizontal swing. can rear thrust. can only dual wield with shield. can throw at medium range. can be placed on ground (home defense)

    Shields:

    athenian shield: light weight. low durability. can be thrown

    bronze spartan shield: heavy weight, medium durability. can rush(charge)

    spartan king shield: heavy weight, high durability. can rush(charge)

    crimson (dark) spartan: medium weight, high durability. can rush(charge) can block while attacking.

    gladiator shield: medium weight, medium durability. can be thrown

    praetorian guard: heavy weight, high durability.

    roman centurion shield: medium weight, medium durability


    roman legionary shield: heavy weight, high durability. place on ground (acts as a pavise)

    thespian shield: medium weight, low durability. can block while attacking.

    thracian shield: heavy weight medium durability. can block while attacking.

    trojan shield: medium weight. medium durability. can be thrown.

    East Asian:

    taoist monk:



    bamboo warrior:



    ninja:



    dragon samurai:



    dynastic guard:



    emperial guard:



    geisha:



    guilded samurai:



    kamuso:



    kung lao:



    lightning samurai:



    mongolian warrior:



    ninja clan lord:



    turtle warrior:



    okinawan master:



    rattan warrior:



    scorpion:



    shaolin monk:



    shinobi assasin:



    snake samurai:



    sushi chef:



    taiwanese warrior:



    thai warrior:




    South Asian:

    sikh warrior:



    filipino warrior:



    ghurka warrior:



    indian guard:



    indonisian warrior:



    persian immortal



    persian prince:



    rajput warrior:



    arab fighter:




    Knights/Barbarian-Europian cultures:

    viking horde:



    viking berserker:



    viking chiefton:



    thor (yes based on the movie and myth combined):



    hun:



    germanic warrior:



    warrior celt:



    highlander (yes based off braveheart and history):



    lowlander:



    concuestedor:



    crusader templar:



    dark templar:



    outlaw archer (yes based off robin hood):



    the kings guard:



    thel ion heart king:



    renaissance assasin (yes based of assasins creed and history combined):



    dark knight:



    golden knight:



    dracula the impaler (yes based off dracula and vlad the impaller):



    dragon slayer:




    African:

    shaka zulu:



    zulu warrior:



    baluba warrior:


    crocodile warrior:



    etheopian warrior:



    masai warrior:



    zande warrior:



    pharoah:



    egyptian armie:



    mummy:



    scorpion king:



    horus risen:



    anubis risen:

    Mesoamerican and Island Cultures:

    wolf warrior:



    apache warrior:



    australian aboriginy:



    eagle warrior:



    guilded priest warior:



    jade undead warrior:



    jaguar warrior:



    buffelo warrior:



    hawaian warrior:



    apache chief:



    inuit eskimo warrior:



    kiribati warrior:



    mauri warrior:



    pheonix warrior:



    sea shell warrior:



    new gunea warrior:



    inuit tlingit warrior:

    progress from scoped:

    Scoped has dissapeared and no one can contact him, BUT the mod will continue with a new team.

    https://github.com/Scoped/WarriorCulturesCore
    https://github.com/Scoped/WarriorCulturesShaolin

    [*** COPYRIGHT NOTICE ***]

    This art is Copyright (2011-2021) and is the intellectual property of the author. (obsidianCore) It may not be reproduced under any circumstances. It may not be placed on any web site or otherwise distributed publicly without advance written permission. Use of this art on any other website or mod is strictly prohibited, and a violation of copyright.

    Support Signatures:



















    Posted in: WIP Mods
  • To post a comment, please login.
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • …
  • 14
  • Next

Social Media

Services

Sign In

Help

Advertise

Resources

Terms of Service

Privacy Policy

Our Communities

  • MMO-Champion
  • HearthPwn
  • Minecraft Forum
  • Overframe
  • MTG Salvation
  • DiabloFans

MOBAFire Network

  • MOBAFire.com
  • Leaguespy.gg
  • CounterStats.net
  • Teamfight Tactics
  • WildRiftFire.com
  • RuneterraFire.com
  • SMITEFire.com
  • DOTAFire.com
  • ArtifactFire.com
  • HeroesFire.com
  • VaingloryFire.com
  • MMORPG.com

© 2022 Magic Find, Inc. All rights reserved.

Mobile View