MonoGame: Building Custom Content Pipeline For JSON file

Environment/Setup

Windows 10, Microsoft Visual Studio 2012, MonoGame Framework 4.0

Overall Setup

There are four parts to the MonoGame content pipeline

  • Importer
  • Processor
  • Writer
  • Reader
  • Step 1: Create a TubeskinInventory DLL that define the data structure

    The goal is to read a json file into this weapon data structure through the custom content pipeline. Different data types are used to demonstrate the pipeline process.

    We start by creating a library project that defines the data structure.
                
    using System;
    
    namespace TubeskinInventory
    {
        public class WeaponConstants 
        {
           public static int NUMBER_OF_LEVEL = 2;
           public static int NUMBER_OF_SPECS = 3;
        }
        
        public enum WeaponType
        {
            SWORD,
            KNIFE,
            GUN,
            PEN
        }
    
        public enum Element
        {
            FIRE,
            WATER,
            LIGHTNING,
            EARTH,
            METAL,
            WOOD,
            WIND
        }
        public struct Weapon
        {
            public string name { get; set; }
            public WeaponType type { get; set; }
            public Element[] elements { get; set; }
            /**
             * Level vs Speed, Power, Range
             * 
             * */
            public double[][] weaponSpecs { get; set; }
        }
    }
                
            

    Step 2: Create JSON files

    Json sample files - TubeskinKatana.json
                
    {
        "name": "Katana",
        "type": "SWORD",
        "elements": ["WIND", "EARTH"],
        "weaponSpecs": [[1, 1, 1], [5, 1, 5]]
    }
                
            
    Json sample files - TubeskinKeyboard.json
                
    {
        "name": "Keyboard",
        "type": "PEN",
        "elements": ["FIRE", "LIGHTNING"],
        "weaponSpecs": [[1, 1, 1], [2, 3, 10]]
    }
                
            

    Step 3: Create components for TubeskinWeaponContentPipeline

    Create a new project TubeskinWeaponContentPipeline.

    The first component is the ContentImport. We feed the json file into the content pipeline using ContentImporter. In this example, we simply read the json file content into a string.

    content importer will process files with .json extension. The name of the importer is Weapon Importer, and its processor is WeaponProcessor, which will be implemented next.

    ContentImport
                
    using System;
    using System.IO;
    using System.Text;
    using Microsoft.Xna.Framework.Content.Pipeline;
    
    namespace TubeskinWeaponContentPipeline
    {
        [ContentImporter(".json", DisplayName = "Weapon Importer", DefaultProcessor = "WeaponProcessor")]
        public class WeaponImporter : ContentImporter
        {
    
            public override string Import(string filename, ContentImporterContext context)
            {
                Char[] buffer;
                using (var streamReader = new StreamReader(filename))
                {
                    buffer = new Char[(int)streamReader.BaseStream.Length];
                    streamReader.ReadBlock(buffer, 0, (int)streamReader.BaseStream.Length);
                }
                return new String(buffer);
            }
        }
    }
                
            

    The second component is the ContentProcessor.

    We convert the string to the Weapon data structure through deserialization.

    The name of the content processor should match the default content process declared in the content importer earlier, so when the importer is used, the content pipeline can automatically identify the processor to use.

    ContentProcessor
                
    using System;
    using System.Web.Script.Serialization;
    using Microsoft.Xna.Framework.Content.Pipeline;
    using TubeskinInventory;
    
    namespace TubeskinWeaponContentPipeline
    {
        [ContentProcessor(DisplayName = "TubeskinWeaponContentPipeline.WeaponProcessor")]
        public class WeaponProcessor : ContentProcessor
        {
            public override Weapon Process(string input, ContentProcessorContext context)
            {
                var serializer = new JavaScriptSerializer();
                var ret = serializer.Deserialize(input);
                return ret;
            }
        }
    }
                
            

    The third component is the ContentWriter.

    We need to write the Weapon data structure into an XNB file.

    In addition, we need to provide the run time assembly type and the path to the run time reader assembly.

    ContentWriter
                
    using System;
    using Microsoft.Xna.Framework.Content.Pipeline.Serialization.Compiler;
    using Microsoft.Xna.Framework.Content.Pipeline;
    using TubeskinInventory;
    
    namespace TubeskinWeaponContentPipeline
    {
        [ContentTypeWriter]
        class WeaponWriter : ContentTypeWriter
        {
            protected override void Write(ContentWriter output, Weapon weapon)
            {
                output.Write(weapon.name);
                output.Write((int)weapon.type);
                int numberOfElements = weapon.elements.Length;
                output.Write(numberOfElements);
                foreach (var element in weapon.elements)
                {
                    output.Write((int)element);
                }
                for (int i = 0; i < WeaponConstants.NUMBER_OF_LEVEL; i++)
                {
                    for (int j = 0; j < WeaponConstants.NUMBER_OF_SPECS; j++)
                    {
                        output.Write((double)weapon.weaponSpecs[i][j]);
                    }
                }
            }
    
            public override string GetRuntimeType(TargetPlatform targetPlatform)
            {
                return typeof(Weapon).AssemblyQualifiedName;
            }
    
            public override string GetRuntimeReader(TargetPlatform targetPlatform)
            {
                return "TubeskinBattle.WeaponReader, TubeskinBattle";
            }
        }
    }               
                
            

    Now we can build the TubeskinWeaponContentPipeline and generate a TubeskinWeaponContentPipeline.dll that will be used later.

    Step 4: Setup content reader so weapon can be use anytime in the Tubeskin battle!

    The last component of the content pipeline is the contentReader.

    The weaponReader will read the weapon from the XNB file at run time.

    contentReader
                
    using System;
    using Microsoft.Xna.Framework.Content;
    using TubeskinInventory;
    
    namespace TubeskinBattle
    {
        class WeaponReader : ContentTypeReader
        {
            protected override Weapon Read(ContentReader input, Weapon existingInstance)
            {
                Weapon weapon = new Weapon();
    
                string weaponName = input.ReadString();
                WeaponType weaponType = (WeaponType)input.ReadInt32();
                int numberOfElements = input.ReadInt32();
    
                Element[] elements = new Element[numberOfElements];
                for (int i = 0; i < numberOfElements; i++)
                {
                    elements[i] = (Element)input.ReadInt32();
                }
    
                double[][] weaponSpecs = new double[WeaponConstants.NUMBER_OF_LEVEL][];
                for (int i = 0; i < WeaponConstants.NUMBER_OF_LEVEL; i++)
                {
                    weaponSpecs[i] = new double[WeaponConstants.NUMBER_OF_SPECS];
                    for (int j = 0; j < WeaponConstants.NUMBER_OF_SPECS; j++)
                    {
                        weaponSpecs[i][j] = input.ReadDouble();
                    }
                }
    
                weapon.name = weaponName;
                weapon.type = weaponType;
                weapon.elements = elements;
                weapon.weaponSpecs = weaponSpecs;
    
                return weapon;
            }
        }
    }
                
            

    Step 5: Using weapon in battle

    To use the custom content pipeline, we need to add it to the MonoGame pipeline. The custom content pipeline will be added through Content->Properties->Reference->TubeskinWeaponContentPipeline.dll

    After the dll reference is added, the TubeskinKatana and TubeskinKeyboard should be assigned the proper importer and processor automatically.

    If not, we can select it manually from the available importer and processor. Do build, now we will have our content in XNB format. 

    To load the content at run time, simply do a content load, now the weapon is at our hand!

    Loading weapons!
                
    using Microsoft.Xna.Framework;
    using Microsoft.Xna.Framework.Graphics;
    using Microsoft.Xna.Framework.Input;
    using TubeskinInventory;
    using System.Collections.Generic;
    
    namespace TubeskinBattle
    {
        public class Main : Game
        {
            GraphicsDeviceManager graphics;
            SpriteBatch m_spriteBatch;
            SpriteFont m_spriteFont;
            List m_weapon = new List();
    
            public Main()
            {
                graphics = new GraphicsDeviceManager(this);
                Content.RootDirectory = "Content";
            }
    
            protected override void Initialize()
            {
                IsMouseVisible = true;
                base.Initialize();
            }
    
            protected override void LoadContent()
            {
                m_spriteBatch = new SpriteBatch(GraphicsDevice);
                m_weapon.Add(this.Content.Load("TubeskinKatana"));
                m_weapon.Add(this.Content.Load("TubeskinKeyboard"));
                m_spriteFont = this.Content.Load("default");
            }
    
            protected override void UnloadContent()
            {
            }
    
            protected override void Update(GameTime gameTime)
            {
                if (GamePad.GetState(PlayerIndex.One).Buttons.Back == ButtonState.Pressed || Keyboard.GetState().IsKeyDown(Keys.Escape))
                    Exit();
    
                base.Update(gameTime);
            }
    
            protected override void Draw(GameTime gameTime)
            {
                GraphicsDevice.Clear(Color.CornflowerBlue);
                m_spriteBatch.Begin();
                m_spriteBatch.DrawString(
                    m_spriteFont,
                    m_weapon[0].name,
                    new Vector2(0,0),
                    Color.SaddleBrown
                    );
                m_spriteBatch.End();
                base.Draw(gameTime);
            }
        }
    }