- Details
- Category: Game Development
- By Stuart Mathews
- Parent Category: Code
- Hits: 1610
Since 64-Bit Mazers, I've started to write some tests to ensure the networking code that I have doesn't break (one of the nice things about unit and integration testing).
The conundrum that I was facing when considering how to create integration tests for this, is that the basic network code that I have works in such a way that you need to start up multiple separate instances of the game - some acting as clients and at most one acting as a server. Clients send to servers, servers distribute messages to connected clients etc...
For testing this in a unit test, I want everything on the same computer. This however means you'll need to use multiple threads, with at least one server thread continually listening for incoming connections, while the other thread is the client making those connections. Previously if I were to consider doing this I'd use pthreads in Linux or CreateThread in Windows like I did here, but C++ now supports std::threads natively!
Long story short I can create a 'server' by having it continually listen in its own thread:
void StartNetworkServer()
{
	Networking::Get()->InitializeWinSock();
	ServerListening = true;
	ListeningThread = thread([&]()
	{
		// Make a new server connection
		Server = std::make_shared<GameServer>(ServerAddress, ListeningPort, false /* using UDP*/);
		Server->Initialize();
		// Wait for connections
		while (ServerListening)
		{
			Server->Listen();
		}
		// Were done
		Server->Disconnect();
	});
	// Wait for the server to be ready
	while(Server == nullptr)
	{
		Sleep(250);
	}
}In C++, you can create a thread as simply as using std::thread and passing a function. Very nice and easy. And because this is part of the standard, this code will work in any platform that supports C++.
Anyway, with this in place, I can write test cases where each test acts as the client and sends network messages to it:
TEST_F(NetworkingTests, TestPing)
{
	StartNetworkServer();
	// Setup client
	Client = make_shared<GameClient>(ClientNickName, false /* using UDP*/);
	Client->Initialize();
	Client->Connect(Server);
	
	// When pinging the game server...
	Client->PingGameServer();
	// Wait for the server to respond
	Sleep(1000);
	// Read pong response
	Client->Listen();
	// Collect events raised
	const auto [clientEmittedEvents, serverEmittedEvents] = PartitionEvents();
	
	EXPECT_EQ(clientEmittedEvents.size(), 1) << "Expected 1 response that the client received the pong traffic";
	
	EnsureNetworkJoinedEventEmittedByServer(serverEmittedEvents, ClientNickName);
	
	EXPECT_EQ(serverEmittedEvents.size(), 3) << "Should be 3 joined traffic events - emitted from server";
	EnsurePlayerJoinedTrafficReceivedByServer(serverEmittedEvents, ClientNickName, ServerOrigin);	
	EnsurePlayerPingTrafficReceivedByServer(serverEmittedEvents, ClientNickName, ServerOrigin);	
	EnsurePongTrafficReceivedByClient(clientEmittedEvents, "Game Server", ClientNickName);
}The above code uses a GameClient and GameServer class to represent the respective connections, and they both save their activity onto a queue which I can inspect to ensure that they operate as designed. For example in the above test, I (the test/client) send a connect/player-joined as well as a 'ping' message over the network to the server (which listening in that separate thread), and then I check that the server writes into the queue that it received the traffic and responded correctly. I can also see that the server sent a 'pong' response and that the client received it.
Not bad, not bad.
- Details
- Category: Game Development
- By Stuart Mathews
- Parent Category: Code
- Hits: 2879
Since Maybe Either Option, and actually a lot before then, I've been working on writing a simple 2D game called Mazer 2D. The aim of this project is not to create the next AAA game or anything like that but instead, to learn, understand and appreciate the mechanics required for creating a game from scratch in C++. And as it happens, writing a game from first principles is pretty challenging (and fun!).
It has been a labour of love. I've scratched my head and banged my head but in the process, I've learnt stuff, and that's the point. It doesn't look like much but the mechanics and the workings are well-defined, and in my opinion, well designed which gives me my quiet satisfaction.
One aspect that I've found interesting is how challenging it is to keep the architecture of the game coherent and organised. Doing so is important, not only so that it is not fragile when changes need to occur but is flexible enough when they do but also that it is not too cognitively complex or confusing to read. I've found myself constantly changing how the game code is structured and making improvements and I think I've found an architecture that meets these requirements.
What I've got so far is a level system that is comprised of drawing and strategically removing walls that make up a maze that the players and NPCs inhabit. Think Pac-man. I can also dynamically generate new levels on the fly too.
I've Implemented animated NPCs that move around and chase you down if they spot you. This is pretty cool and makes my game have some semblance of a retro tile sheet-based platformer - think cartoon animation with keyframes. My player character moves in a similar way to the NPCs and so it animates itself depending on which direction it is moving in (there are different keyframes for different facing directions). It also obviously responds to keyboard input and moves around based on what keys are pressed:
void AnimatedSprite::Update(const unsigned long deltaMs)
{
  const unsigned long durationSinceLastFrameMs = timeGetTime() - deltaTime;
		
  // Switch to the next frame if we've been on the current frame too long
  if (static_cast<float>(durationSinceLastFrameMs) >= frameDurationMs)
  {
    AdvanceCurrentFrameNumber();
    SkipUnsupportedAnimationGroupFrames(); // Only cycle through supported animation groups
    deltaTime = timeGetTime();
  }
}I've got a system of pickups which also animate (so they look interesting) and give you (the player) points when you collide with them. This obviously depends on a collision detection system which ensures that the player and NPCs cannot move through walls but can pick up items. I've got an event-based messaging system that sends events throughout the game to game objects that 'subscribe' to them. This is pretty useful and I got the idea after reading Game Complete.
Moving along, I've also got a simple level editor that allows me to create levels visually, and then export the level files which can then be loaded as levels in the game. This is pretty cool because I can design the level, put enemies in various places on the level and change how much damage each gives. This is all written into an XML-based level file. Speaking of XML, I've also got a settings system so that components can read their settings without having to recompile the game to use different settings/behaviours. The NPCs use finite state machines to dictate how they behave at any one moment in time. This technique I first learnt at University and I love it because its so simple, yet so effective:
void Enemy::ConfigureEnemyBehavior()
{
	upState = gamelib::FSMState("Up", DoLookForPlayer());
	downState = gamelib::FSMState("Down", DoLookForPlayer());
	leftState = gamelib::FSMState("Left", DoLookForPlayer());
	rightState = gamelib::FSMState("Right", DoLookForPlayer());
	invalidMoveTransition = gamelib::FSMTransition([&]()-> bool { return !isValidMove; },
	                                               [&]()-> gamelib::FSMState* { return &hitWallState; });
	hitWallState = gamelib::FSMState("Invalid", 
                                     gamelib::FSMState::NoUpdate, [&] { SwapCurrentDirection(); });
	// Set the state depending on which direction the enemy is facing
	onUpDirection = gamelib::FSMTransition(IfMovedIn(gamelib::Direction::Up),
	                                       [&]()-> gamelib::FSMState* { return &upState; });
	onDownDirection = gamelib::FSMTransition(IfMovedIn(gamelib::Direction::Down),
	                                         [&]()-> gamelib::FSMState* { return &downState; });
	onLeftDirection = gamelib::FSMTransition(IfMovedIn(gamelib::Direction::Left),
	                                         [&]()-> gamelib::FSMState* { return &leftState; });
	onRightDirection = gamelib::FSMTransition(IfMovedIn(gamelib::Direction::Right),
	                                          [&]()-> gamelib::FSMState* { return &rightState; });
	// Configure valid transitions
	upState.Transitions = {onDownDirection, onLeftDirection, onRightDirection, invalidMoveTransition};
	downState.Transitions = {onUpDirection, onLeftDirection, onRightDirection, invalidMoveTransition};
	leftState.Transitions = {onUpDirection, onDownDirection, onRightDirection, invalidMoveTransition};
	rightState.Transitions = {onUpDirection, onDownDirection, onLeftDirection, invalidMoveTransition};
	hitWallState.Transitions = {onUpDirection, onDownDirection, onLeftDirection, onRightDirection};
	// Set state machine to states it can be in
	stateMachine.States = {upState, downState, leftState, rightState, hitWallState};
	// Set the initial state to down
	stateMachine.InitialState = &downState;
}I've put together a very simplistic HUD that shows the player score, and health as well as a framerate. This is custom drawing done using fonts and drawing from SDL. I intend to add some more 'widgets' in the future but for now, it's just these basic elements. The game also has music/sound capability and sound plays in the background and changes when you finish the level (to do that you need to collect all pickups). When the player tries to smash down a wall, it makes a FX sound. Audio is pretty awesome part of any game and it makes me happier listening to the upbeat music while I try to escape from the baddies.
This is what it looks like so far, It is not much in terms of aesthetics but I think that the assets and the visuals aren't important at this stage and it's far more important to have a solid foundation of technology that can easily support loading new visuals moving forward which I think this code currently has - it's not pretty but considering where I started from, it has improved a lot.
Some other important but less visually evident aspects are Timers and workflows that can help produce situations such as playing level-ending music, pausing and then moving to the next level. Loading resources and resource and asset Management capability is really important too and helps organise memory usage. For example, loading only assets that need to be used for the level that is in play. It also makes finding assets easy in the code, you just ask for the asset to be loaded and it's done:
void LevelManager::OnGameWon()
{
	const auto a = std::static_pointer_cast<Process>(
		std::make_shared<Action>([&]() { gameCommands->ToggleMusic(verbose); }));
	const auto b = std::static_pointer_cast<Process>(std::make_shared<Action>([&]()
	{
		AudioManager::Get()->Play(ResourceManager::Get()->GetAssetInfo(
                                                           SettingsManager::String("audio", "win_music")));
	}));
	
	const auto c = std::static_pointer_cast<Process>(std::make_shared<DelayProcess>(5000));
	const auto d = std::static_pointer_cast<Process>(std::make_shared<Action>([&]()
	{
		gameCommands->LoadNewLevel(static_cast<int>(++currentLevel));
	}));
	// Chain a set of subsequent processes
	a->AttachChild(b); 
		b->AttachChild(c); 
			c->AttachChild(d);
	processManager.AttachProcess(a);
	const auto msg = "All Pickups Collected Well Done!";
	Logger::Get()->LogThis(msg);	
}As my game is 2D and relies on geometry I've had to incorporate models for supporting rectangles and manipulating them eg. removing their sides. I've also got logging and exception handling to help diagnose when things go wrong but so far I've not really used them much because I'm mainly in the debugger and I catch all the exceptions but I know that having logs is always a good thing.
I've also got a system for representing game objects in the game and common code for working with them eg. drawing, updating and moving them around. This is really useful because pretty much everything in the game derives from these objects. I have the ability to control the game loop and to load different game loop strategies such as FixedTimeStep or VariableGameLoop for example - this was mostly out of pure frustration while trying to find out why I had a periodic jitter in my framerate. This is what the FixedTimeStep loop looks like, which I use to run my game at 16ms per frame or ~60 Fps:
void gamelib::FixedStepGameLoop::Loop(const GameWorldData* gameWorldData)
{
	// fixed loop strategy: https://gameprogrammingpatterns.com/game-loop.html
	double previous = GetTimeNowMs();
	double lag = 0.0;
	while (!gameWorldData->IsGameDone)
	{
		const double current = GetTimeNowMs();
		const double elapsed = current - previous;
		previous = current;
		lag += elapsed;
		InputFunc(TimeStepMs);
		while (lag >= TimeStepMs)
		{
			Update(TimeStepMs);
			lag -= TimeStepMs;
		}
		Draw();
	}
}
Even though it takes a long time to do all this stuff, it's pretty interesting and frustrating, but frustration normally turns into joy and excitement if you stick with it long enough. For example, until very recently I've been for months unable to track down a 'jitter' or periodic pause in my framerate. I've been ignoring it for so long now and reminding myself that other things are still worthy of my time even though I can't find the cause of this bug (and it irritates me). so I've just had it nagging at me every time I run the game.
Recently, for no real good reason other than it was also bothering me, I decided to move from x86 to x64 and would you believe it, the periodic framerate jitter just disappeared! Sure enough, if I ran in x86 mode, it came back. The cause of my jitter was a bug in the x86 code of the SDL library that I use.
Needless to say, I'm over the moon that it's resolved. I run in x64-bit mode now and I'm ever so pleased that every time I play the game, I no longer witness that jitter, which for such a long time has been a constant attribute of the game. Developing the game in 64-bit, like focusing on the aesthetics of the game was just not necessary in my opinion to achieve the project's objectives. Lucky then I guess I scratched that itch!
There is more to come, for example, I'm looking to add networking and multiplayer support. I'm also interested in adding a new Enemy class that is based on Behavior Trees (BTs) as opposed to Finite State Machines (FSMs). Another thing I'd like to add is scripting and I think this will work really well with the BTs, especially being able to load behaviour from a file like loading levels. I'm still not that interested in actually creating a fully-fledged game yet, like pretty graphics and polished scenes but that will come...
- Details
- Category: Game Development
- By Stuart Mathews
- Parent Category: Code
- Hits: 2977
Sometimes when I want to get something done quickly, I can settle for the most apparent solution even though it's not the most elegant or possibly even the best solution.
A lot of the time it's usually because I'm not that interested enough in the problem at hand because the more exciting problem is where I'm really heading, and in order to get there I need to implement this less uninteresting solution first, and so I hurry through it in order to get it done. This is the case with my level editor's XML functionality.
I serialize the level to XML once I'm done designing it in the level editor, and I can also load saved levels back in and modify it:
using System;
using System.Collections.Generic;
using System.Windows;
using System.Xml;
using GameEditor.Models;
using Microsoft.Win32;
namespace GameEditor.ViewModels
{
    public class LevelManager 
    {
        public event EventHandler<string> OnFileSaved;
        public event EventHandler<string> OnAboutToSaveFile;
        public event EventHandler OnLevelLoaded;
        public void SaveLevelFile(Level level)
        {
            // Collect all the rooms and serialize to XML
            var xmlSettings = new XmlWriterSettings()
            {
                Indent = true,
            };
            var saveFileDialog = new SaveFileDialog
            {
                Filter = "XML Files (*.xml)|*.xml;"
            };
            try
            {
                if (!(saveFileDialog.ShowDialog() is true)) return;
                OnAboutToSaveFile?.Invoke(this, \("Saving File '{saveFileDialog.FileName}'...");
                using (var writer = XmlWriter.Create(saveFileDialog.FileName, xmlSettings))
                {
                    writer.WriteStartDocument();
                    writer.WriteStartElement("level"); // <level ...
                    writer.WriteAttributeString("cols", level.NumCols.ToString());
                    writer.WriteAttributeString("rows", level.NumRows.ToString());
                    writer.WriteAttributeString("autoPopulatePickups", level.AutoPopulatePickups.ToString());
                    foreach(var roomViewModel in level.Rooms)
                    {
                        var topVisible = roomViewModel.TopWallVisibility == Visibility.Visible;
                        var rightVisible = roomViewModel.RightWallVisibility == Visibility.Visible;
                        var bottomVisible = roomViewModel.BottomWallVisibility == Visibility.Visible;
                        var leftVisible = roomViewModel.LeftWallVisibility == Visibility.Visible;
                        writer.WriteStartElement("room"); // <room ...
                        writer.WriteAttributeString("number", roomViewModel.RoomNumber.ToString());
                        writer.WriteAttributeString("top", topVisible.ToString() );
                        writer.WriteAttributeString("right", rightVisible.ToString() );
                        writer.WriteAttributeString("bottom", bottomVisible.ToString() );
                        writer.WriteAttributeString("left", leftVisible.ToString() );
                        if(roomViewModel.ResidentGameObjectType != null)
                        {
                            var gameObjectType = roomViewModel.ResidentGameObjectType;
                            writer.WriteStartElement("object"); //<object ...
                            writer.WriteAttributeString("name", gameObjectType.Name);
                            writer.WriteAttributeString("type", gameObjectType.Type);
                            writer.WriteAttributeString("resourceId", gameObjectType.ResourceId.ToString());
                            writer.WriteAttributeString("assetPath", gameObjectType.AssetPath);
                            foreach(var property in gameObjectType.Properties)
                            {
                                writer.WriteStartElement("property"); //<property ..
                                writer.WriteAttributeString("name", property.Key);
                                writer.WriteAttributeString("value", property.Value);
                                writer.WriteEndElement();
                            }
                            writer.WriteEndElement();
                        }
                        writer.WriteEndElement();
                    }
                    writer.WriteEndElement();
                    writer.WriteEndDocument();
                }
                OnFileSaved?.Invoke(this,  \)"Saved File '{saveFileDialog.FileName}'.");
            }
            catch(Exception ex)
            {
                throw new Exception (\("Error saving level file '{saveFileDialog.FileName}': {ex.Message}");
            }   
        }
        public Level LoadLevelFile()
        {
            var openFileDialog = new OpenFileDialog();
            var level = new Level();
            if(openFileDialog.ShowDialog() is true)
            {
                var settings = new XmlReaderSettings
                {
                    DtdProcessing = DtdProcessing.Ignore
                };
                var reader = XmlReader.Create(openFileDialog.FileName, settings);
                RoomViewModel roomViewModel = null;
                
                while (reader.Read())
                {                    
                    if (reader.NodeType == XmlNodeType.Element)
                    {
                        if(reader.Name.Equals("level"))
                        {
                            level.NumCols = int.Parse(reader.GetAttribute("cols") ?? throw new Exception(
                                "NumCols Not found"));
                            level.NumRows = int.Parse(reader.GetAttribute("rows") ?? throw new Exception(
                                "NumRows Not found"));
                            level.AutoPopulatePickups = bool.Parse(reader.GetAttribute("autoPopulatePickups") ?? bool.FalseString);
                        }
                        roomViewModel = new RoomViewModel();
                        if(reader.Name.Equals("room"))
                        {
                            roomViewModel.RoomNumber = int.Parse(reader.GetAttribute("number") ?? "0");
                            roomViewModel.TopWallVisibility = bool.Parse(reader.GetAttribute("top") ??
                                                                         throw new Exception(
                                                                             "Top wall visibility Not found"))
                                ? Visibility.Visible
                                : Visibility.Hidden;
                            roomViewModel.RightWallVisibility = bool.Parse(reader.GetAttribute("right") ??
                                                                           throw new Exception(
                                                                               "Right wall visibility Not found"))
                                    ? Visibility.Visible
                                    : Visibility.Hidden;
                            roomViewModel.BottomWallVisibility = bool.Parse(reader.GetAttribute("bottom") ??
                                                                            throw new Exception(
                                                                                "Bottom wall visibility Not found"))
                                    ? Visibility.Visible
                                    : Visibility.Hidden;
                            roomViewModel.LeftWallVisibility =
                                bool.Parse(reader.GetAttribute("left") ??
                                           throw new Exception("Left wall visibility Not found"))
                                    ? Visibility.Visible
                                    : Visibility.Hidden;
                        }
                        if (reader.Name.Equals("object"))
                        {
                            roomViewModel.ResidentGameObjectType = new GameObjectType
                            {
                                AssetPath = reader.GetAttribute("assetPath"),
                                Name = reader.GetAttribute("name"),
                                ResourceId = int.Parse(reader.GetAttribute("resourceId") ?? throw new Exception("Resource Id Not found")),
                                Type = reader.GetAttribute("type"),
                                Properties = new List<KeyValuePair<string, string>>()
                            };
                        }
                        if (reader.Name.Equals("property"))
                        {
                            for (var i = 0; i < reader.AttributeCount; i++)
                            {
                                reader.MoveToAttribute(i);
                                roomViewModel.ResidentGameObjectType.Properties.Add(new KeyValuePair<string, string>(reader.Name, reader.Value));
                            }
                        }
                    }
                    if ((reader.NodeType == XmlNodeType.EndElement || reader.IsEmptyElement) && reader.Name.Equals("room"))
                    {
                        level.Rooms.Add(roomViewModel);
                    }
                }
            }
            OnLevelLoaded?.Invoke(this, EventArgs.Empty);
            return level;            
        }
    }
}This is the kind of approach I'm talking about. I wanted to create the XML data so that I could switch over to the game and actually load the XML and generate the level and game objects from it. I was not too concerned with how I did it, but only that I did it.
It was also error-prone.
So this weekend, I needed to change something in this code and it was too difficult to do without breaking it, i.e it was not easy to maintain. So I decided that it was too painful to keep and looked for an improvement. I came across a much more concise and functional approach using LINQ to XML. I'm very impressed with it.
Notice how easily XML can be produced directly from a C# class, basically transforming the class directly into an XML version. It's really cool. Also, reading the XML and transforming it back into the C# class is as easy:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Windows;
using System.Xml;
using System.Xml.Linq;
using GameEditor.Models;
using GameEditor.Utils;
using Microsoft.Win32;
namespace GameEditor.ViewModels
{
    public class LevelManager 
    {
        public event EventHandler<string> OnFileSaved;
        public event EventHandler<string> OnAboutToSaveFile;
        public event EventHandler OnLevelLoaded;
        public void SaveLevelFile(Level level, List<GameObjectType> gameObjectTypes)
        {
            // Collect all the rooms and serialize to XML
            var xmlSettings = new XmlWriterSettings()
            {
                Indent = true,
            };
            var saveFileDialog = new SaveFileDialog
            {
                Filter = "XML Files (*.xml)|*.xml;"
            };
            try
            {
                if (!(saveFileDialog.ShowDialog() is true)) return;
                OnAboutToSaveFile?.Invoke(this, \)"Saving File '{saveFileDialog.FileName}'...");
                
                var levelNode = new XElement("level",
                    new XAttribute("cols", level.NumCols),
                    new XAttribute("rows", level.NumRows),
                    new XAttribute("autoPopulatePickups", level.AutoPopulatePickups.ToString()),
                    from room in level.Rooms
                        
                    let gameObject = room.ResidentGameObjectType
                    let roomEl = new XElement("room",
                        new XAttribute("number", room.RoomNumber),
                        new XAttribute("top", room.TopWallVisibility.ToBoolString()),
                        new XAttribute("right", room.RightWallVisibility.ToBoolString()),
                        new XAttribute("bottom", room.BottomWallVisibility.ToBoolString()),
                        new XAttribute("left", room.LeftWallVisibility.ToBoolString()),
                        // <object>
                        gameObject != null 
                            ? new XElement("object",
                            new XAttribute("name", gameObject.Name),
                            new XAttribute("type", gameObject.Type),
                            new XAttribute("resourceId", gameObject.ResourceId),
                            new XAttribute("assetPath", gameObject.AssetPath), 
                            // <property>
                            from property in gameObjectTypes.Single(x=>x.Type == gameObject.Type).Properties // save any new props
                            let key = new XAttribute("name", property.Key)
                            let value = new XAttribute("value", property.Value)
                            select new XElement("property", key, value)) 
                            : null) 
                    select roomEl);
                using (var writer = XmlWriter.Create(saveFileDialog.FileName, xmlSettings))
                {
                    levelNode.WriteTo(writer);
                }
                OnFileSaved?.Invoke(this,  \("Saved File '{saveFileDialog.FileName}'.");
            }
            catch(Exception ex)
            {
                throw new Exception (\)"Error saving level file '{saveFileDialog.FileName}': {ex.Message}");
            }   
        }
        public Level LoadLevelFile()
        {
            var openFileDialog = new OpenFileDialog();
            Level level = null;
            if(openFileDialog.ShowDialog() is true)
            {
                level = (from levels in XElement.Load(openFileDialog.FileName).AncestorsAndSelf()
                        select new Level
                        {
                            NumCols = GetAsNumber(levels, "cols"),
                            NumRows = GetAsNumber(levels, "rows"),
                            AutoPopulatePickups = GetAsBool(levels, "autoPopulatePickups"),
                            Rooms = levels.Descendants("room").Select(r => new RoomViewModel
                            {
                                RoomNumber = GetAsNumber(r, "number"),
                                TopWallVisibility = GetAsVisibilityFromTruthString(r,"top"),
                                LeftWallVisibility = GetAsVisibilityFromTruthString(r,"left"),
                                RightWallVisibility = GetAsVisibilityFromTruthString(r,"right"),
                                BottomWallVisibility = GetAsVisibilityFromTruthString(r, "bottom"),
                                ResidentGameObjectType = r.Descendants("object").Select(o => new GameObjectType()
                                {
                                    Name = GetAsString(o, "name"),
                                    Type = GetAsString(o, "type"),
                                    ResourceId = GetAsNumber(o, "resourceId"),
                                    AssetPath = GetAsString(o, "assetPath"),
                                    Properties = o.Descendants("property")
                                        .Select(p => new KeyValuePair<string, string>(key: GetAsString(p, "name"), 
                                            value: GetAsString(p, "value"))).ToList()
                                }).SingleOrDefault()
                            }).ToList(),
                        }).SingleOrDefault();
            }
            OnLevelLoaded?.Invoke(this, EventArgs.Empty);
            return level;            
        }
        private static bool GetAsBool(XElement o, string attributeName)
            => GetAsString(o, attributeName).ToBool();
        private static string GetAsString(XElement o, string attributeName) 
            => (o.Attribute(attributeName) ?? throw new NullReferenceException(attributeName)).Value;
        private static Visibility GetAsVisibility(XElement r, string attributeName) 
            => GetAsString(r, attributeName).ToVisibility();
        private static Visibility GetAsVisibilityFromTruthString(XElement r, string attributeName) 
            => GetAsString(r, attributeName).VisibilityFromTruthString();
        private static int GetAsNumber(XElement r, string attributeName) 
            => GetAsString(r, attributeName).ToNumber();
    }
}This is very easy to read and it hasn't got any loops in it, ie. it's functional instead of imperative, so no need to remember which loop you're in or wonder if you're forgetting about an end tag or something silly like that.
It did require some getting used to I admit as like most functional programming, it's ultimately one big expression that does it all.
Both code versions produce and read the same XML however, I much prefer the second version due to its conciseness and ease of use. Also, its really easy to add new nodes or attributes to the XML tree, and then being able to easily transform the XML directly into the C# class right there is also pretty great.
Another win for functional programming!
More Articles …
Page 1 of 9