Search - news server

Beginning the My Colony 2 v0.29.0, the game adds a new news ticker to the bottom of the screen, similar to the one found in My Colony 1.


The difference from this news ticker though is that it supports custom news feeds from third party news servers, and the server owner can set up multiple news feed sources that it's players can utilize by setting them up in the Statistics window. This can be a fun way for an MC2 server to differentiate itself from the rest,add some fun for it's players, or even just offer news items in different languages.


Setting up a custom news server is not necessarily a beginner task, but it is not overly difficult either.

You can setup your news server however you like, it just needs to be able to accept a JSON object from the My Colony 2 client as post input, and to print out a JSON object as a result. You should also set the access-control-allow-origin: * header, so that the client can access your script no matter which platform it is running on, and probably the access-control-allow-headers: Content-Type header.

This post will be updated as the spec evolves and more features are added, and can also be used for questions, and feature requests.

Primary Call

When a My Colony 2 server first boots up, it will query it's news servers with the following post data:

{
"req": "networkinfo",
"extras": {
"hostOS": "os string",
"sid": "guid string for server",
"gid": "guid string for game/mod",
"un": "ape apps account username for player (string)"
}
}

Update 20231103: Added the un field to the extras object (example above updated). This is the username of the individual player who is requesting the news feed, not of the server owner.

Update 20230302: As of MC2 v0.33.0, the game client now also transmits the host operating system, world id (sid) and game identifier (gid) when requesting news feed data. The above code has been updated to reflect the change.

This request for network information expects a JSON formatted response, containing the following items:

{
"networkName": "My News Network",
"networkNameShort": "MNN",
"logoBackground": "#00ff00",
"logoText": "#000000",
"logoStroke": "#0000ff",
"taglines": [],
"responses": {
"healthcrisis": [],
"techunlock": [],
"highunemp": [],
"ollargestsettlement": [],
"starvation": [],
"lowapproval": [],
"lowsecurity": [],
"lowentertainment": [],
"loweducation": [],
"contractsales": []
}
}

taglines is a string array which can contain one or more "taglines," or random headlines that the news ticker will play when there is not much going on. An example could be something like: You are watching MNN - The most trusted name in news.

healthcrisis is a string array containing responses that will play when a settlement is having a low health crisis. It includes two properties that will be auto-populated by the engine. ex: There is an ongoing health crisis in #settlementname! Will #ownername do anything about it?

techunlock is a string array containing news items for when a player unlocks a new technology. ex: #name has unlocked #tech

highunemp is a string array containing items for when a settlement is experiencing high unemployment. ex: #settlementname workers struggle to make ends meet as unemployment soars, #ownername's failed leadership to blame?

ollargestsettlement is a string array for when the global MC2 server announces what the current largest settlement in the entire My Colony 2 online galaxy is. ex: With a population of #population, #settlementname on #worldname is the largest city in the galaxy!

starvation is a string array containing announcements that a settlement on the world is facing starvation, ex: #ownername goes into hiding as #settlementname residents resort to cannibalism!

lowapproval is a string array containing news articles about a settlement owner's low approval ratings, ex: Time for #ownername to go? #settlementname residents are fed up with current leadership.

lowsecurity is a string array containing news items about the low security rating in a settlement, ex: #ownername plays the fiddle while crime wave spreads through #settlementname!

lowentertainment is a string array containing items related to a low entertainment/morale rating in a settlement, ex: #settlementname residents blame #ownername as local colonist literally dies of boredom.

loweducation is a string array of news items related to a low education rating in a colony, ex: Brain dead in #settlementname? Residents demand education but #ownername fails to deliver.

contractsales is a string array for announcements that are made when a player on the server sells a contract through the Galactic Board of Trade, ex: #name sells #count contracts on the Galactic Board of Trade worth $#total.

The News Ticker is an exciting new feature for MC2, and the current feature set in this initial rollout is only the beginning. In the coming updates, the news ticker will also support positive news stories (most of the current ones are negative), as well as an option to query for stories that are unrelated to anything particular in the game, even stories that present a full news article when clicked on.

So let me know what questions/suggestions you have, and feel free to try to roll out your own news server, it really souldn't be too difficult!
1y ago
To answer questions that came up in-game about creating an MC2 news server, here is a complete .php script that you can use as a news server endpoint. Should be enough to get you started and you can customize it from there as you see fit.


<?php
header("access-control-allow-origin: *");
header("access-control-allow-headers: Content-Type");

$json = file_get_contents('php://input');
$data = json_decode($json);

if($data == null || $data == false || !property_exists($data, "req")) {
exit();
}

$requestId = $data->req;

if($requestId == "networkinfo") {
$resData = new stdClass();

$resData->networkName = "My News Network";
$resData->networkNameShort = "MNN";
$resData->logoBackground = "#ff0000";
$resData->logoText = "#00ff00";
$resData->logoStroke = "#000000";

$resData->taglines = array();

$resData->taglines[] = "My News Network - It's Good Stuff!";
$resData->taglines[] = "You are watching My News Network!";

$cannedResponses = new stdClass();

$cannedResponses->healthcrisis = array();
$cannedResponses->healthcrisis[] = "put your news headline here 1";

$cannedResponses->techunlock = array();
$cannedResponses->techunlock[] = "put your news headline here 1";

$cannedResponses->highunemp = array();
$cannedResponses->highunemp[] = "put your news headline here 1";
$cannedResponses->highunemp[] = "put your news headline here 2";

$cannedResponses->ollargestsettlement = array();
$cannedResponses->ollargestsettlement[] = "put your news headline here";
$cannedResponses->ollargestsettlement[] = "put your news headline here 2";

$cannedResponses->starvation = array();
$cannedResponses->starvation[] = "put your news headline here";
$cannedResponses->starvation[] = "put your news headline here 2";

$cannedResponses->lowapproval = array();
$cannedResponses->lowapproval[] = "put your news headline here";

$cannedResponses->lowsecurity = array();
$cannedResponses->lowsecurity[] = "put your news headline here";
$cannedResponses->lowsecurity[] = "put your news headline here 2";

$cannedResponses->lowentertainment = array();
$cannedResponses->lowentertainment[] = "put your news headline here";
$cannedResponses->lowentertainment[] = "put your news headline here 2";

$cannedResponses->loweducation = array();
$cannedResponses->loweducation[] = "put your news headline here";
$cannedResponses->loweducation[] = "put your news headline here 2";

$resData->responses = $cannedResponses;

echo json_encode($resData);
}
?>

This should be enough information to get a PHP script up and running. You need an https endpoint, you can get a free ssl cert using certbot. For a list of all of the variables that the news headline responses accept, see this thread.

Note that I did not run this code first to see if it works, so there might be typos or syntax errors, so just use your brain while implementing!

Hope that helps!
1y ago
Here is a collection on concepts that I am leaning towards for My Colony 2 as of today (20200624). This is all subject to change and I can be convinced by the community of anything, so keep the suggestions and feedback coming. This is going to be a super long post featuring all of my thoughts on MC2 thus far. Feel free to criticize anything and everything here. My feelings will not be hurt and nothing is set in stone. This is a starting point for community discussion to help make MC2 the best game it can be!

Relationship to My Colony 1
MC2 is an entire new game, not an upgrade to the original, or a version 2.0. It may use completely different concepts. It will not be tied in to the same server. Game files will not transfer over, as MC2 will probably have completely different buildings/tech tree, etc.

This does not mean that MC1 will be going away. I will continue to support the original and the server indefinitely. I realize that a lot of people like the style of game that MC1 is and do not want anything to change, so the original is staying where it is. It may continue to receive new content as well as bug fixes, but I do not plan on any further changes to the gameplay mechanics or core engine going forward.

That said, as long as MC1 remains popular and people keep playing it and paying for it, I will keep the game going.

Business Model/Monetizing
This is the least fun part of development, but a necessary one in order to make creating a game feasible. The business model for MC1 was tacked on as an afterthought, and reflecting back I do not like the concept of certain structures and units being premium.

None of this is set in stone, but here are my initial thoughts on the business model. My Colony 2 will be a straight paid app on all app stores, with everything unlocked at the base price, no in-app purchases. No advertising anywhere. The exception is on Ape Web Apps and the Ape Market, where it will be free, everything unlocked, but with no access to multiplayer or custom content. Maybe only one map type available.

Current My Colony 1 is basically already like this on Desktop, with the mobile client being free with additional IAP, so this change just makes the mobile version match up with what is already on desktop.

Now, I do anticipate the dissatisfaction of Android players not having the free version in the Play Store. However, Android support for Progressive Web Apps is sufficiently advanced now that you can just install the Web version to your homescreen like an app and it's hardly any different. Same with iOS. And MC1 will still be available for free like it always has been.

No free version on the mobile app stores will likely mean less players, and I understand this. But I like the idea of just buying a game and having the whole thing, not worrying about IAP's and not having any advertising.

Client/Server Structure
The biggest change to MC2 is it's design from the ground up as a multiplayer game. This does not mean that you cannot play single player, but it is being designed specifically for multiplayer.

MC1 has limited multiplayer, which basically consists of chat and trading/gifting resources. You can play together on a multiplayer region, but all you are really doing is sharing atmosphere and seeing thumbnails of other players' colonies. Not really very multiplayery (is that a word?). The MC1 multiplayer is also global and centralized, meaning everything has to go through the global My Colony server.

My Colony 2 multiplayer will be decentralized, meaning no global server that everybody plays on. Why am I doing this, because it seems like a downgrade? Look at every game out there with real global multiplayer, not just chat and trading. That takes massive infrastructure, and you pay for it with either a monthly subscription or endless IAP's. That's the only way it's really possible, and I don't think anybody wants that if you really stop and think it through.

The only realistic way to add real multiplayer to the game without investing in a massive infrastructure and charging big money for the game is to decentralize it. And since I am not Blizzard and do not want to spend my whole life maintaining MC2 servers, I am adopting a decentralized approach.

What does this mean? My Colony 2 will actually be designed as two separate applications in one, the client and the server.

The game client will be fairly light weight. It's job is to receive data from the server application and render it to the screen, and pass instructions as to what the player wants to do onto the server. That's pretty much it, and it should be fairly performant. Even though the game is moving to 3d, I still expect it to perform better than MC1, simply because 3d hardware rendering performs better than 2d software rendering.

The game server is much more interesting and is where all of the game mechanics take place, but since the server does not have to worry about handling the UI or making drawing calls, it actually has a bit more overhead to work with than on MC1. The two most expensive operations in MC1 are the rendering and the pathfinding. In MC2, the server is eliminating the rendering, and I also want to greatly reduce the pathfinding, leaving more headroom for actual fun stuff, like game mechanics simulation.

So in MC2, the game relationship is between client(s) and server. Whenever you create a new game in MC2, you are creating a new server, and then connecting to it with a client. The server is saved and retained between plays, where the client only exists while it is in use, and is not saved. So the point I just want to get across is that the client is really not that important, the server is.

The server and client code are both included in the My Colony 2 game. You will have the option of starting a regular game or creating a dedicated server. When you start a regular game, you are spinning up both a client and server and creating a 1-1 connection between the two right on your device. You can also make your game joinable by friends or others on your local network for multiplayer.

You can also create a dedicated server. When you create a MC2 dedicated server, you will be presented with a special server GUI that allows you to be in full control of the game. The server will continue to process game data as long as it is running, even if no players/clients are connected. A dedicated server will be able to establish custom game rules and parameters, and have mods installed that will be transferred to any client who connects. You will be able to make a dedicated server open to the public, or by invite only, or by specifying a list of accounts who are able to join. It's up to the server. A dedicated server will be able to moderate it's players however they want, the server can adjust resource levels, ban players for cheating, or anything. It's all up to the server owner.

The game data is saved only on the server, and the server owner will be responsible for making backups. I expect game files to be a lot bigger than MC1, so I am not going to be implementing Cloud Sync, which is known to cause corruption on larger files anyway. The ability to export and backup data will be built right into the game as usual.

Because of the way it's designed, even if you only want to play single player, it still may be desirable to set up a private dedicated server. For instance, you could run a private MC2 dedicated server on your powerful home PC that is always on/connected to the internet. Then you can connect to your server from your tablet/phone/laptop/another window on your computer, wherever you are, and your game is always there waiting for you, and all of the processing is being done on the more powerful computer.

The Game World/Game Files
In MC1, the game world is divided into cities and regions, and each city is a separate game file. In MC2, there are no cities and regions, there are planets.

This is something I am aping from Minecraft. A planet is like a regular city file in MC1, except is extends out in every direction to infinity, so you do not have to worry about running out of space for your city. A planet can have multiple cities and multiple players building cities at the same time.

Planets will be procedurally generated, and new areas will be generated in real-time as needed. Each planet type will have different biomes like in Minecraft, so that different environments and different resources are available in different parts on the planet.

This system means that you will have to build up trade networks with other cities or make additional settlement outposts across the planet in order to bring more resource types back to your colony. In MC1, practically every resource in the game is available with a square mile of your lander. This doesn't really make sense. In MC2 you will have to go out and find resources, and then build up a network for bringing them back into your city.

Technically, the MC2 world is still a big 2d grid like in MC1, but each tile does have an elevation, a z-index, for varied terrain elevations. Different resources might be found at different elevations and in different biomes. You will also be able to adjust the terrain in-game, like building up dirt to level out construction areas. There will be flat areas good for building, low canyons, and hilly or mountainous areas.

Also like in Minecraft, the terrain is generated on the fly and only transferred to the client in "chunks" as needed. So your client will only contain the data for the area that you are currently looking at, and the immediate surrounding areas. As you scroll around the map, areas you are no longer looking at will be disposed from memory as new areas are loaded from the server.

Construction / Resource Gathering and Rovers
I would really like to get rid of Rovers completely and simulate everything. It's not that I hate rovers, they are so helpful and adorable. The issue is with the pathfinding. Just driving rovers around the map takes up a huge percentage of the MC1 processing time, for what is essentially a visual effect.

Pathfinding is both CPU and memory intensive on anything larger than a medium sized MC1 map, and in MC2 the map sizes are being expanded infinitely larger. It's not just as simple as "only path finding around a certain area from the rover." Before you can even calculate pathfinding operations, you first have to generate a pathfinding map and load it into memory. The maps will be more expensive than in MC1 owing to the introduction of terrain elevation, as there will now be cliffs to work around. Each time a new structure is placed the pathfinding map needs to be recalculated. With the game being multiplayer, this will have to be taking place on a larger scale. It is one of the features holding MC1 back, due to all of the CPU time that must be dedicated to solving rover paths.

The issue of course, is that everybody likes rovers. Even I like rovers. Would the game be less fun without them? I don't know. If you could just turn off Rover Rendering in the engine settings and you didn't even see them, but everything continued to operate as normal, would it make a difference to the game, or would it matter? Maybe it would, maybe it wouldn't.

Everything a Rover does can be simulated for a fraction of the CPU and memory cost.

This is the largest part of MC2 that I don't have an answer to. I can't just remove rovers because that would be a blow to the fans of MC1. I also cringe thinking of all of the months wasted on optimizing path finding and the 1 star complaints about performance, all relating to a path finding feature in what is essentially a city building game.

There are options.

I could always just keep rovers in the game as they are and just keep working around the processing issues that come with it. In a single player game or a server with only a few active players at once, it probably wouldn't be a very big hit.

I have also considered just simulating rovers, sort of like colonists are just simulated in MC1. For example, you don't even have to build your own rovers. But when you place a new construction order, little rovers drive up onto the construction site and build your building anyway. These rovers do not exist on the server, but you see them building on the client. Same way for moving resources around. On the server it is just simulated, but on the client, you see a rover driving around doing all of the work. This would still require path finding, but each client would be doing their own path finding on the visual rover effect, and the player could turn it off if it became a performance issue.

If the client could just visually simulate things like rovers, colonists, police cars, busses, etc, they would all still be there visually making your city look alive, but the server wouldn't even have to worry about them.

Maybe there are other options too that I am not thinking of? All feedback on Rovers is welcome. I want the game to be performant, but I also don't want to go against the fans, so please let me know what you think either way.

Graphics
MC1 is a software rendered game using the HTML5 canvas element, arranging .png and .svg tile images onto a 2d isometric grid. Most of the graphics processing is done by the main CPU and not the graphics card, so graphics performance is largely defined by how good your processor is. This is why the game runs a lot better on desktop vs mobile, or even on iPhone vs android, and iPhone processors tend to be a bit better.

The problems is that the CPU also has to process the game, so trying to do everything at once gets expensive, especially on mobile devices.

My Colony 2 is moving to WebGL for graphics processing, which is a javascript based implementation of OpenGL that handles rendering on the GPU. This should lead to far better performance on most devices.

My original idea was to use Blender for all of the games building models. The graphics were going to be awesome. But when I dug into Blender and started working with it, I remembered how I am not actually a graphics designer, and it was going to take me forever to make all of the models for this game.

My other idea was to make blocky pixelated type graphics using my own Voxel Paint application (https://www.apewebapps.com/voxel-paint/). This means lower quality visuals but much higher output and probably better rendering performance as well. It's also so easy to use that anybody could make their own MC2 models, my wife even offering to help design structures for the game (she is a big Minecraft fan).

At the end of the day, My Colony 1 was never known for high quality graphics, but I thought that with MC2 I could really make it look great. After putzing around with Blender though, I have to acknowledge my own personal limitations. Basically, I can either spend months learning how to make great 3d models in Blender, or I can spend months working on the game code. I know which one I'd rather do. So I am probably going to go with the pixelated look, simply because it is something that I can actually do myself within a realistic timeframe, and it will also go well with the next point I'm about to explain, which is modding.

I know some people will not like a pixelated looking game. This is one of those areas where I have to say "tough," unless somebody is willing so supply me with hundreds of 3d models free of charge, which is what it is going to take in order to do this properly.

Modding
Customization is going to be huge in MC2 compared to the original. Given the global online multiplayer in MC1, custom content could not realistically be allowed in the game. The decentralized nature of MC2 changes everything though, and modding and customization, as well as all of the tools needed to make it happen, are going to be baked right into the client.

In MC2, the basic "unit" of the game is the building. Everything is going to be pretty much based on buildings, and their relationship to each other. This is basically how MC1 works as well, so this is nothing new. What is going to be knew is My Colony 2's build in Building Editor.

I am going to be creating MC2 using the games' bulit-in editor, and so the same editor I use to make the game is going to be available to all players.

Each building in the game is going to be stored as a building file, and the base game will ship with all of its standard building files, which will be loaded at runtime. This differs from MC1 where all building data is stored in a single JSON file that is shipped with the game, which cannot be easily edited.

A building file will contain three parts.

The first is the JSON formatted definition data, with information about the name of the building, what it does, what it generates, etc. All of the properties that a building can have will be stored in that data.

The second part is the model information, which will essentially be an embedded Voxel Paint file.

The third part is a small (maybe like 64x64 pixel) thumbnail or icon representing the building, which will show up on the construction sidebar and various places throughout the UI.

The three above parts are all packaged into a single file which can be added to the game client, posted online for easy sharing, or what have you. A dedicated server can include custom building files that will automatically be distributed to clients when they join the game. Each building file will have a unique UUID and version information, so if a client already has the same version of a building file that a server does, it will not need to re-transfer the data upon connection.

This system is actually a very powerful change over the original My Colony, and unlocks essentially limitless possibilities for the game. This also makes it a lot easier for the community to participate in development of the game. A creator who makes a great building idea can distribute it online where it is tested out and balanced by the community. If it works in practice and everyone likes it, the file can be included in the base game.

If you want to host a crazy dedicated server with a bunch of custom buildings that totally change the game, you can do so.

I have no idea what kind of buildings people will dream up, but including the content creation tools right into the base game will be huge, I hope. And I plan on making the process as easy as I possibly can, so that anybody can create a building. Using Voxel Paint, if you have an idea and the ability to build a house in Minecraft, you should be able to make it a reality. And being able to make something and then instantly import it into your game makes it simple to test out concepts and balance them right there on your own device.

It's possibly that nobody will care about modding or making buildings, but it still doesn't hurt to add the tools right into the game. If nothing else, it will still make it easier for me to create new content for updates, versus having to go through and edit JSON data manually.

However, it's also possible that everybody will be making custom content and the game takes off in crazy directions that we never even imagined!

It could even be possible to allow mod creators to somehow sell their mods in-game and get paid in real money, maybe through PayPal or something. That is a thought for another day though, and not a current actual plan.

Conclusion
These are my current thoughts on MC2 as of this day. Like I said, nothing is set in stone yet and everything is subject to change. I wanted to put everything out there so that the community knows what page I am on and where I am headed, and has time to stop me if I am about to drive over a cliff.

Remember that I am open to all feedback, so if you have ideas, please don't just be quite about it, or don't just complain about them in a Discord chat somewhere, because I probably will not see them. Part of being a game developer is getting hate e-mail on a regular basis on why my games suck, so believe me that your being critical of the above ideas will not hurt my feelings, and will be nothing new to me.

The whole purpose of doing all of this beforehand is to get real feedback from the community so that MC2 can go in a direction that we all like and we will all have fun playing. Once I start getting into the code, it gets harder and harder to make changes, so if there is something you don't like, now is the time to mention it. Think of all of the things I could not effectively implement in MC1 because they would require massive time-consuming changes to the entire engine. So getting ideas in right now is how we avoid that.

Like MC1, I'm trying to make something fun that I myself want to play, not a game that is going to just nickel and dime players with constant ads and IAPs so I can sit on a yacht somewhere. I think the new decentralized play model will allow the game to outlast the original. Basically, if I get in a wreck and die, the MC1 server will be forever down within a few weeks. With MC2, once players can make their own servers and create their own content right from within the game, what happens to me becomes more irrelevant, which is the way it should be.

Anyway, if you got this far, then thanks for reading my small novel. Please give some thoughts to where you want to see the game go, or discuss it with other players and really think about all of the concepts I laid out here. I want to start working on the game soon, maybe as early as mid-next month. I plan to start with the world-generating engine and the in-game building creation tools first, so people can start testing that out and seeing what it is like to make their own content.

So between now and then, if any of the above ideas are way off the mark, I need to know now. So think about it, let me know, and thanks for helping me create the follow-up to My Colony. I think it's going to be fun!
4y ago
Today I am finishing up My Colony 2 v0.29.0, and the update should be hitting all platforms over the coming days. This is a major update to the game, including many core changes to the engine and underlying code, so unfortunately there are probably bugs that I am not foreseeing. But what is new here anyway? Let's take a look!


To begin, this update marks the triumphant return of the Galactic Board of Trade, featuring an excellent voxel model provided by @SPARKY0303 ! This is the only new building in this update, which is accompanied by the new Long Range Communications tech which is required to build it. It also requires a level 3 settlement in order to be built. Once you build the GBT, it will unlock the new Trade tab in the statistics window, provided your camera is currently centered on a settlement that has a GBT.


From there, you are able to post resource contracts, or purchase contracts that have been posted by other players.


The Galactic Board of Trade is still in it's early stages in My Colony 2, and more features will be added as time goes on, but the basic framework is now there and available to use. Keep in mind, that the trade tab will only be available on un-modded games, so if you have mods activated, you will not be able to post trades to the GBT.

Along with the new GBT, this update also brings back the classic Newsfeed ticker from My Colony 1!


The news ticker is also in it's early stages, but has a huge advantage over the ticker found in the original My Colony, in that it now supports custom third party news feeds! Anybody can create their own news feed for My Colony 2, and I have posted information on how to do so in this thread. There are a lot of updates planned to the news ticker as well, so it will be evolving as time goes on. I also plan to let world/server admins create their own news headlines for the ticker, as a way to convey information to the players on their server.

There have been some engine changes that should help performance. On one of my worlds, a synthetic Crystalline deposit got away from one of the players, and ended up covering many chunks in the game, lagging down the server and exploding the file size. Luckily, this was an opportunity to do some heavy performance tuning and make some important changes to resource spreading as well.


Terrain objects like Synthetic Crystalline or Palm Trees now keep track of their "generation," so every time a terrain item spawns a child, it's generation number increases. When a terrain hits generation 6, it can no longer spread and spawn new children. Now, six generations still allows for a good amount of spreading, but it should keep something like Crystalline from destroying an entire world.

In addition, terrains can now no longer spread over roads and structures. They weren't supposed to be able to before, but it was bugged, but now it works, so you can more easily contain crystalline farms with a wall or road.

Now, all of the big changes mentioned above required the creation of a new centralized server for My Colony 2, which is now online and took way more man hours to set up then I expected, but it's capabilities are going to be way greater than those found in the MC1 server long term. Connecting to the MC2 Online server is done automatically behind the scenes, and the server only allows connections from non-modded games. You can tell if you are connected to the MC2 Online server because a My Colony 2 Online tab will show up in your Statistics window.


The tab right now only shows you the top 30 online colonies ordered by GDP, but this is going to be greatly expanded in the future, allowing players to see all sorts of stats, rankings, and even conduct interplanetary trades and diplomacy, so stay tuned for more on that.

The new MC2 Online server also ties into the new news ticker and can give you some important information. For example, if you are playing an online game in World A, but you also have a settlement in World B that is online, and the settlement in World B is suffering from starvation, you will get notices in the news ticker that your settlement in the other world is having starvation, in case you want to log in to the other server and help your people out.

I have really big plans for the centralized server going forward, and I am probably going to do a My Colony Podcast in the coming days to discuss some of them. All of these new features are in their infancy though, and all will be improving as time goes on.

So that is basically what is up in this update. It should be live right now on the Web, the Launcher, and on Windows Store, and should be hitting Android and iOS sometime this week, so check it out, let me know what you think, let me know what problems you find, and stay tuned for more!

#mycolony2
1y ago
Hello guys. (•ω•)

That would be simply a minor feature.
NEWS YES, IT’S NEWS TICKER, AS YOU SEE!

So what’s its use?
From the news of the news ticker, you’ll be able to know the situation of your colony, especially the more important issues like, lack of food, crimes, outbreak, literacy rate, e.t.c.
Besides, there’ll be some news which are something not very important, but contains some humor, hidden memes, and insane (?) stuff.

It’s better to have some examples here!

NEWS“New religion? People worshiping toasters”
NEWS“Robbers raid a bank with screaming chickens, people panic”
NEWS“Somehow government documents misspelled ‘stocks’ into ‘stonks’”
NEWS“Nuts becomes the most popular food in the colony recently, and of course we’re not, ‘nuts’”


It’s just an minor feature, but I hope it can be something that brings some fun to the game.

Your ideas?
I know that many are anxiously waiting the next updates to My Colony 1 and 2, so since they are still a little ways off, I thought I would share with everyone what their current status is, and what my plans are going forward!

First, the reason for the lack of updates this month is that I have created a new Google Play account called My Colony Universe to house all of the games in (you guessed it) the My Colony Universe, so that everything is combined together and easy for players to find. Since the titles were spread out across three different accounts, it took me some time to get everything transferred over, as each transfer request takes several days and must (I assume) be done manually by employees at Google.

Going forward though, all My Colony related content on Android is available on the same Google Play account which you can view here:

https://play.google.com/store/apps/dev?id=6753488031908307666

While I was waiting for the transfers though, I started the process of going back and updating my entire catalogue of apps and games so that they all target the latest versions of Android/iOS/Windows and run the latest SDK's and so on. This has been a slow-ish process, and I expect it to take me most of the rest of the month, but it is important work to do, since the My Colony games themselves do not generate all that much revenue, and are largely subsidized by the rest of my catalogue of apps and games. For that reason, it is important to keep the other titles up to date and functioning properly on the latest mobile hardware, and since some of my apps I had not touched in several years, time was well overdue to go through and complete this process.

Next, let's look at the future plans for the original My Colony. I do not know if it will be ready for the next update or not (really depends on GirlyGamerGazell's timeline), but the next big content update to the game will be the completion of the Dark Matter update. This will probably be the last really big content update that MC1 receives, other than a regular stream of weekly premium structures. I really want to focus my time for new content and features into My Colony 2 which has really begun to mature over the last few updates, so that is what I will be doing. Rest assured though, MC1 will continue to receive updates on a regular basis to fix things that need fixed and to stay current for the latest devices and whatnot.

I am also going to be making a change to the Challenges system, as it turns out that it is a lot of work for me to keep coming up with new challenges on a daily basis. Instead, every day the MC server is going to automatically generate a new daily challenge using a random resource, this way I do not have to keep coming up with challenges and logos manually. In addition, randomly throughout the day, the server may generate a 1-2 hour long "snap challenge," which I think should give more players a chance to gain trophies.

As the challenge system goes on, it may make sense to implement something like "seasons" where all trophies reset after a time. There can be a record of course of which players/federations won each season. But at some point it might get to where first place is so far ahead on trophies that nobody can even catch up.

Anyway, you guys can let me know what you think of the system. Remember that challenges are completely optional, and while some people have expressed disdain for the system, many others seem to really like it, so it will be staying around for sure, and might even come to MC2 as well.

Now on to My Colony 2, which is going to have a big year in 2023. A lot of new features/fixes/and mechanics have come to MC2 over the last few updates, bringing it closer to being on par with the original. That is going to continue, and it will eventually far surpass MC1 in terms of "stuff to do."

First, I have done some work behind the scenes over the last couple of weeks on the server side of things, mostly aimed at improving MC2 dedicated servers. I noticed that when running an MC2 dedicated server for several days, what would happen is that the user's account token would expire, and then all game saves to Cloud Sync would fail due to an expired token. Thus the next time the server was rebooted, several days of game data would be lost. This issue should now be fixed on the web app version of My Colony 2, so it now should be safe to run an MC2 dedicated server using the web browser for days on end with Cloud Sync enabled. I currently have three servers running at my house to put this theory to the test.

To further help with dedicated servers, I am going to be adding an automatic daily backup for all public dedicated server games directly to the My Colony 2 server (which is on different hardware than the Cloud Sync server) which server owners will be able to restore from in the event of a catastrophe. Perhaps I will retain the last several days worth of backups that an owner can restore from.

Since I noticed there has been a lot more MC2 dedicated server activity lately, I wanted to make sure that this system is as solid as I can make it, so more improvements will be coming to it as time goes on.

In terms of new content, the next MC2 update will be fairly large, as I am pleased to report there have been quite a few new model submissions on the Discord server and elsewhere, so there is a lot of exciting content coming soon to MC2.

I am also going to be making a way for people to submit the link to their custom News Feed servers, so that the game will come standard with several that players can choose from.

I would like to also finally release MC2 to Steam in 2023, which I know is something some people have been asking/waiting for. Before it gets there, I want the game to have sound effects and a music track. I have already compiled a few original tunes for the game using Garageband, but I am no musical expert, so if anyone out there wants to take a stab at creating some songs for MC2, please feel free to do so!

Big things are going to be coming to the Player mode in My Colony 2 (the mode where you become a little colonist and walk around). I sort of have a vision in my mind where MC2 is kind of two types of games in one, the city builder type game that it already is, and something of an adventure/role playing game using the Player mode, except that the universe you play in consists of the network of online dedicated servers built by other players. I am thinking that the Star Gate from MC1 needs to return, but this time it will act as a means for players to travel from planet to planet in player mode in order to adventure, complete quests/missions, find items, or just explore other worlds from that perspective. I have spent some time just walking around some MC2 worlds in the VR mode, and it is pretty cool, but would be far more so if there was actually something to do besides just look.

Basically, each player/account is going to have one player mode avatar on the entire universe server, instead of a different guy for each world. You will have a "home" planet that you can respawn on if you die or if the server you are currently on goes offline. You will have stats/inventory and be able to party up/communicate with other players. You will be able to visit other worlds via Star Gates, even if you do not have a settlement on that world. When you are in building mode, you will be able to see Player Mode people as they come through your star gate, and so really you can build some kind of special welcoming area/lobby in your world around your Star Gate. Maybe buildings will be added that you can build that have specific functions for player mode. The game will also generate some NPC type characters in each settlement that players can interact with or get quests from. You will be able to do some sort of prospecting/mining, and maybe each world will have unique materials that you can only obtain in player mode. There are a lot of options.

Player Mode characters will also be able to control vehicles, whether driving/air/water vehicles, as well as combat type vehicles. There are a lot of options. Players will also be able to fight each other if they choose to do so.

So that is sort of my idea for the "two games in one" approach to MC2. Although the classic My Colony style of play will always be the primary mode, I think realtime multiplayer and dedicated server model that MC2 has unlocks the ability to add the cool secondary mode that can potentially add replay value to the game for years to come, and also open the world up to players who maybe don't care about the building aspect of the game, but would have fun adventuring through worlds that others have built up.

So those are the 2023 plans for MC2. Content and feature wise, I want it to be close to on par with MC1 United Earth faction, with the added bonus of infinite world sizes, real time online multiplayer, and a network of worlds that are truly connected. On top of that, I want to start adding a secondary adventure game to the mix that players can interact and explore in, whether on a PC, touch screen, TV/gamepad, or in VR. Finally, I want the polish and presentation to get to a point where the game is ready for Steam. I think all of these updates will add up to some exciting times ahead for MC2!

Just as an aside, I also plan to keep updating Colony Wars throughout the year, I have not forgotten about that game. At some point also, Terra Nova 4X will become a thing, I just need to find the time to work on it!

#mycolony #mycolony2
1y ago
Hello guys!
(I’m the same person as @Wadaling)


Firstly and most importantly, I am presenting a big thanks to @bastecklein, for adopting my ideas from the following posts (written using my old account, @Wadaling):
• Human based ideas and other basis: https://www.ape-apps.com/viewpage.php?p=31612
• Insectnoid based idea: https://www.ape-apps.com/viewpage.php?p=32034



Okay let’s go straight into the topic.

As @bastecklein mentioned in his release notes for v0.90.0 update:
bastecklein said:To go along with the new utility, there are new IT related structures (and a new Information Technology build category) for each race, although most are early/mid-game Human structures at the moment. The next updates will build out the tree for the other races and add later game content as well.

bastecklein said:The next update will be Part 2 of the IT update, and will probably be mostly Zolarg and Alpha Draconian. Then there will probably be a Part 3 to top it off.

(for full notes, check it on https://www.ape-apps.com/viewpage.php?p=32266 )


Definitely, Bast and his epic team has lots of stuff to do on this new utility.
So......
TIME TO DUMP IDEAS INTO THIS FORUM (as usual)

Prototype artworks here!




Technology / Research
Multimedia Infranstructure - Learn how to use internet utilities to establish a colony-wide multimedia broadcast system.
Insectnoid Mind Network (Zolarg) - Make use of the internet utilities to transfer...... thoughts. Allowing more efficient communication, governance, and management.
Proxy Servers (LIS) - The best way to perform secret activities without the need for cleaning browser history, while avoid tracking by the galaxy-wide internet secuity system of United Earth.
Mass Data Management - Learn how to improve internet utilities to manage more data, as well utilize it for more efficient industrial management purpose.


Human
Official News Station - Keep your colonists informed. Paid to subscribe the home commonwealth channel, generating more civics than ordinery civic centres.
Imperial Propaganda Office - Direct upgrade of Official News Station... still broadcasts some news, but also broadcasts a very wide range of propagandas to influence your people... Generates lotta of civics, but costing more money, and it also consumes little amount of chips.
Sports Streaming Station - When you can’t have a stadium in your colony, why not just establish a sports event streaming station on a empty ground, and let your colonists spectating the exciting matches through the screen. Snacks and rums are provided to the spectators.
Cinema - This cinema will fetch all kinds of movies around the galaxy through the internet, and play them to the colonists (paid for the tickets)!
Semiautomatic Software Complier - Develop lots of software efficiently using AI technology.
Large Server Building (UE only) - When bandwidth demand in your colony grows, you definitely need a larger and more efficient server to meet the needs.
E-Sports Stadium - E-sports is definitely one of the most exciting sports event all-around the galaxy! This stadium provides the venue for all sorts of e-tournaments.
Online Black Market Office (LIS) - This upgraded black market bazzar can manage a larger amount of trade, while fetching more smuggled goods into the colony!
Electronics Chop Shop - Old scraps of electeonics are put here and recycled into microchips, to meet the demand for internet maintainence.
Hacker Camp (LIS) - Where professional gangs of hackers hide and launch viral attacks to steal software, intelligence, and most importantly, evil money.
Proxy Server Building (LIS) - Large servers are easily tracked by United Earth. Although provides less bandwidth than ordinery one it does provides a much safer internet services.


Zolarg / Insectnoids
Mound of Scholars - (Although not related to the internet directly,) This mound will teach the broods all kinds of professional industrial skills for all sorts of advanced industrial production and research, as well internet utilities.
Insectnoid Hologram News Station - Believe what? Insectnoids somehow steal the hologram technology from Alpha Draconians and simplified their designs. Keep the broods informed with newest Zolarg propagandas and news, generating civics while consuming national subscription fees and microchips.
Interstellar Mind Connection Node - Contact the antennas on their head with the wires and connect to the communication network. That’s the way Insectnoids communicate with their cousins lightyears away, without any signal jamming.
Hologram Theatre - This entertainment facility makes use of multiple hologram projectors to play freshly uploaded amazing theatres from Zolarg Prime.
Vaults of Galactic Investment - Insectnoids cannot just rely on mints to get the money they need. It’s time to connect to the interstellar investment markets and earn big.
Mind Council of Scholars - Where scholars’ minds meet and discuss innovations and conduct researches using thoughts and resources from the mind network. Generates research, along with education services.
Insectnoid Computer Array - Yes, I’m not kidding. Insectnoids did built their own computer for research.


(More ideas coming soon! Stay tuned!)

More ideas?
Feedbacks?
Please comment!

Or access to and have some discussion!


Today I have published an update to the original My Colony, bringing it up to v1.34.0, which should be hitting all platforms soon. There are a few changes here, so let's take a look!


First, I have reverted the in-game popup style menus to the big full window height slideout menus. Some players (on mobile in particular) were having issues with the other menu style, so I decided to just go back to the old reliable slideout menus that nobody seemed to have an issue with.

The Music Rendering engine has been completely replaced and is now using a new library called SpessaSynth that I have been following for a little while now. The developer of this new MIDI sequencing library is very good and is quite active, and has been super responsive when I have had questions or issues with the library. If you wouldn't mind, go to his Github repo and leave it a Star, because he does good work.

https://github.com/spessasus/SpessaSynth

This new library uses more modern JS coding techniques and renders .mid files in a worker thread, and so it does not impact game performance like the old MIDI renderer did. With this change though, you may notice that the music sounds a little different. Since the new library makes use of standard .sf2 sound font files, I am currently using with the game the widely available General MIDI soundfont, which is only a fraction of the size of the music patches that were being used with the old renderer. That said, this sound font objectively does not sound quite as good.

The good news is that the new library supports custom sound fonts, whereas the old one did not. If there is interest from players, I can add an option to the game that lets users select their own *.sf2 sound font file and then they can make the music sound however they want it to. For copyright reasons though, I will probably stick to the free one as the in-game packaged sound font.

Finally, this update includes beta-level support for a new Ape Apps-wide feature I have been working on behind the scenes for a while now, which is Private Cloud support. Currently, users of all of my apps, My Colony included, who opt into Cloud Sync have their save data temporarily stored on one central Ape Cloud server. Since it is expensive (and out of the scope of my business) to run mass cloud storage hosting, files are routinely purged from the server after several months of inactivity, which is why the server is branded as a sync server and not a long-term storage server.

With the new Private Cloud feature I am working on, users may set up their own private cloud server at their own location and use it as their default save location for their data. I have already been testing this on a handful of other apps, and now I am rolling it out to My Colony.

The Private Cloud system is a part of an application called the Ape Web Apps Desktop Bridge, which is available as both a Progressive Web App and as a stand-alone application for Windows or Linux.

To get started, install the Ape Web Apps Desktop Bridge (either desktop or PWA edition, for private cloud I would suggest the full desktop download) and signs in with your Ape Apps Account. Once signed in, click on the Add Resource button and select Private Cloud.


From there, you can select a folder on your computer that will be your new private cloud sync folder. If you are using the PWA version, you will probably need to re-enable folder permissions every time you restart your computer, so keep that in mind. The desktop client does not have that limitation, which is why it is preferred.

If you are going to try using the Private Cloud, I would suggest setting your computer to automatically start the Ape Web Apps Desktop Bridge on startup. The desktop edition can be minimized to your system try, so it is non-obtrusive.

Once Private Cloud is set up, restart My Colony. If you are signed in with your account, you will see a new Cloud Sync Location option on the title screen menu.


If you only have one cloud sync folder enabled on your account, then it will automatically be set as the default, so keep that in mind. If you are given permission to multiple cloud sync locations, you will default to the central Ape Cloud service and you will have to manually select which server you want to use.

If you decide to give the new Private Cloud feature a try, please let me know how it works for you. This feature was originally designed for some business users using EZ Office applications whose business policies did not allow them to use the central Ape Cloud servers, but in my testing so far it is working quite well for My Colony saves. Theoretically you could set a lot better saving/loading performance, especially if you are at your own house while playing.

And yes, you can still sync to your own Private Cloud, even when you are not at home.

Another Private Cloud benefit is that you can easily back up all of your Ape Apps data whenever you feel like it. It would be trivial to compress your entire Private Cloud folder on a regular basis and keep backups in any way which works for you.

How does it work?

The Private Cloud feature uses a private channel on the central Ape Apps Signaling server, tied to your individual Ape Apps Account, to locate any AWA Desktop Bridge instances you have running. When Bridge instances are located, the Signaling server then initiates a peer-to-peer handshake to make a direct WebRTC socket connection between your My Colony instance and your AWA Desktop Bridge instance, similar to the way that My Colony 2 dedicated servers work. The Signaling server then gets out of the way and you are operating with a direct peer to peer link to your own Private Cloud server, wherever it is located.

In theory, this direct peer to peer connection should perform better than the centralized Ape Cloud server, because a) it obviously has a lot less traffic going to it, and b) it is using a persistent direct connection instead of making constant HTTP requests.

So that is the Private cloud system in a nutshell. Like I said, give it a try and let me know how it works for you, or what issues it gives you. I have been using it for a little while on some EZ Office applications and it has been running without issue, but they generally have smaller file sizes than My Colony saves, so it will be interesting to see how it goes.

So that is it for this update. It should be rolling out everywhere soon, so let me know how it goes, and stay tuned for more!

https://mycolony.online/

#mycolony
2mo ago
I have just put the finishing touches on the v0.75.0 update to My Colony, and will begin pushing it out to all platforms tomorrow (Thursday) morning, possibly even tonight if I get time. This is a huge update in terms of "under the hood" changes, and so there is a lot to cover here. It also marks the beginning of a series of "online" focused updates which will be taking place between now and the end of the year.

Now that My Colony has arrived on Steam (which you can find here), I have decided to shift focus a bit more away from the mobile side of things, towards the Desktop and online side of things. My Colony has always played better on the Desktop, but since the majority of users were on mobile, a lot of the design of the game had to be made with that reality in mind. As some of you already know, a few months ago, Google Play blacklisted My Colony from their store search results, cratering the mobile downloads of the game by over 90%. As a result, the My Colony user base has transformed from over 90% mobile users, to now almost 50/50 with Desktop users, spread out between my website, the Ape Apps Launcher, Windows 10, Chrome OS, Facebook Games, and now Steam. And even though the crash ratings on Google Play are back down under 2% and the downloads have picked back up slightly, it is still nowhere near where it once was. On top of that, the experience did open my eyes as to how Google Play operates, and demonstrated the risk involved with being tied so heavily to one platform. On Desktop, things are spread fairly evenly between the distribution networks (too early to tell on Steam yet), so there is a little bit of safety that comes with that situation. Plus, as I said, the game is just 10 times better on Desktop anyway.

So, just to be clear, I am not abandoning Android and iOS, and those platforms will continue to receive all of the latest updates. I am just not going to be focused on mobile first, and some features may not work on mobile platforms, as you will soon see below.

But enough of the intro, you are here to see what is new in this version, and there is quite a bit. So let's take a look!

First I want to go through some of the bugs that were addressed in this release, as one of them has a pretty large impact on later-stage Human colonies. So during this update, I discovered a mistake in the code that was majorly"nerfing" building consumption and production when the building had a very low "tick" phase. The two prime examples where the Ancient Alien Condenser and the Atmosphere Scrubber, but it would also impact buildings with tons of employees, like the Investment Bank.

Essentially, if the production/consumption tick phase was lower than that of the overall simulation's building tick phase, a bunch of update cycles for that building would get skipped, causing it to produce or consume resources at a far slower rate than it was supposed to. As far as I can tell, this issue has been baked into the game for ages, and when adding new content, I have just set the stats in a way to compensate for it, not even realizing it was there. As soon as I fixed the glitch though, the impact on Atmosphere was immediately apparent.

Ancient Alien Condensers and the Atmosphere Scrubber immediately went into "beast mode", chewing through millions of atmosphere in a matter of minutes. This brought my Atmosphere down to zero, causing all of the condensers in the colony to shut down, since they were out of "fuel". This led to an immediate water shortage which was difficult to get on top of, since I could not generate new atmosphere fast enough to keep up with the consumption of the condensers. I eventually just had to import a ton of water from the Star Gate.

Anyway, to address this, I slightly nerfed the stats on the Condenser, and introduced a new upgraded Large Atmosphere Generator to assist in rebuilding Atmosphere. I kept the Scrubbers running in beast mode though, I figured at their new consumption level, one Atmosphere Scrubber can take care of a pretty good sized colony.

So be aware of this new change, and modify your colony accordingly. I already know the bug reports section will be full of "I updated and now all of my Water is gone" reports, so just be aware of what is happening. It is not exactly a bug, but the result of the fix of a bug.

The next fix is related to Creative Mode in Region games. Basically, it didn't work before, and now it should.

Speaking of Regions, there was a glitch where Resource decay would be greatly amplified on Region maps. This has been corrected. I have also implemented several changes which I hope address the issue people have on Regions where tech/resources are lost. I cannot reproduce this issue on my own, so I hope the fix works. I know you will make me aware if it doesn't though!

Next, a lot of changes were made to the server this update. I am getting ready to add in-game moderators to My Colony, which I had hoped to have ready by now, but the server needed so many changes to accommodate for it, that I just didn't get to it. Just know that it is coming soon though.

The first big change comes with authenticated API calls. Aside from the public API's, you basically need to be logged in to your Ape Apps account to do anything on the server now. This requirement seems like a no brainer, but you have to realize that the My Colony server predates the Ape Apps Account server, and there were originally no account requirements at all.

Due to this change, the tie between your Ape Apps Account, your online colony, and the website is now pretty solid. If you happen to get banned from Ape Apps for some unrelated reason, your colony is pretty much inaccessible too, and you will need to send me an email convincing me why you should be able to get back in.

All colony resources are now stored on the server as well. They have actually been stored on the server for some time, but the server would never override the resources saved to your game file. Now it will. The server now keeps a timestamp and checksum synchronized to your online game saves, so that it can detect if you have decided to go back and restore a backup game file. This is to help detect different forms of cheating that are out there, and while restoring a backup does not flag you as a cheater, it is logged and will be available for review by the soon-to-be-announced in-game moderators.

Next up, in-game private messaging has been moved from the my-colony.com servers to the main ape-apps.com servers. As a result, you can now view and reply to your in-game private messages from right here on ape-apps.com. They will also soon be available on my-colony.com. Currently, they don't render very well on the website, but I will be making it all look pretty shortly. In-game it doesn't look much different from before, but in theory the message size limit is gone, although the game still doesn't let you write more characters. The website does though. In the coming updates though, the entire in-game messaging interface will be rewritten to take advantage of the new features available by using ape-apps.com messaging.

The next big change in the game, which I have mentioned already in another thread and some may not be pleased with, is the complete rewrite of how colonial GDP is calculated. In short, it is now an actual GDP calculation, instead of just the sum of all of your resources. So now instead of measuring just how rich you are, which anybody can attain by simply getting a big gift from another colony or from the Galactic Emperor, it is now a measure of the current productive output of all of your buildings, tax collections, and resource collections. In this way, your GDP only grows if your industrial output is growing. If you are maxed out with full storage, then your GDP will be stagnant. I might adjust it next update to have GBT profits figured into the calculation as well, since it is technically a sale of goods. I haven't decided yet.

The game tracks your GDP over time, and will give you both quarterly and annual prints. It takes about two hours of game time to collect enough data to get a full GDP reading, so be aware of that. In your stats, the large GDP number is your current quarterly rate, and the smaller number is the annual rate. One game "year" is roughly equivalent to one real life hour. The quarterly and annual growth percentages also factor GBT price inflation into their calculations, so that large fluctuations in GBT prices do not throw the GDP growth values way off. In addition, the game ai now has "economic analysts" who will try to guess what your GDP growth rate should be every quarter, based on the trends of the last year, and will let you know each quarter if you were on target or below estimates. It's sort of like watching CNBC.

I might start adding other fun little news items to the GBT price ticker on the bottom of the screen too.

Next, there is a new feature that I hope people are able to have some fun with. I have added the ability in-game to stream a live feed of your game play onto your colony website at my-colony.com. On supported platforms, there will now be a "Streaming" button in the bottom right corner of the screen. When you click on it, it will start up your live feed and turn Red, letting you know that it is on.

It also uses your microphone (if available and you give it permission) so that people watching your stream can hear your amazing voice-over commentary. Also when you turn on streaming, the in-game chat channel and the chat channel on your my-colony.com colony site are synchronized, so that you can text-chat directly with those viewing your feed. You will also get a notification in-game when somebody starts watching your live feed.

The in-game streaming works if you are playing on Chrome, Android, Native Client/Steam. It does not currently work on iOS or Windows 10 (Store) edition of the game. I am not sure about Facebook Game Center, as I did not test it.

Moving on, I have decided to merge the in-game popup Commonwealth and Diplomacy windows into the main Statistics window, so that everything is in one place. In-game private messaging will also be moving to this window soon, and eventually, a revamped in-game encyclopedia will be in there as well. I just think it's better to have all of the options in one tidy place.

You may have also noticed a new "Federation" option at the bottom. Federations are headed in-game to My Colony. I have been promising them for a year and a half now, and since I decided to focus on online play for the next couple of months, Federations went ahead and made the cut.

Creating or joining a Federation requires "government level 7", which is game-engine speak for "you need to build the Hall of Congress." This is pretty much the most expensive building in the game, and before now it hasn't really done anything for you. Now it unlocks Federations. Because of this requirement, only United Earth and LIS can make or join Federations, but Reptilians and Zolarg will be getting their own equivalent buildings in 0.76.0.

The only thing you can do with Federations right now is either make one, or join one. Making one is expensive, and joining one is free. However, when you choose to join a Federation, current federation members receive a ballot in their Federation screen and must vote to approve your membership.

Balloting works like this. When a new measure is put up, it will expire in three days. At the end of three days, the yays and nays are counted, and the winner is determined. However, if a measure receives yays (or nays) from over 50% of current Federation members before the three days are up, the vote is also ended.

The balloting system only works for admitting members right now, but it is going to be greatly expanded. Unlike Commonwealths, Federations are an "alliance of equals", with each independent member state getting 1 vote. One colony will be the president, voted on by the other members. The President will be able to put new initiatives up to a vote, and only the president can put a new initiative up, unless that initiative is a vote of no-confidence in the President, which could be needed if the current president goes inactive.

Federations are going to be able to do things that regular colonies cannot do and, for those who wish to enable it, there is going to be an optional PVP element coming for Federations making use of Star Ships. I am not talking about attacking peoples bases or anything, but you might be able to send your fleet to blockade a planet, disrupt communications, etc. I am welcome to ideas on it, but this element will be 100% optional, and you can only do the PVP mode with Federation members who have enabled it. I want people to still be able to play a 100% peaceful mode if they wish.

The Federations are in the early stages, but there will be new Federation stuff with each update, so feel free to start one up and start accepting members, so you are ready for when the fun stuff goes live.

So those are the primary new things in this update, I am sure there are others, but I don't remember off the top of my head. Now I just want to give a quick update on what is coming next.

As I mentioned, Federations are going to be fleshed out over the next few updates. In addition, both Federations and non-federation planets will be able to establish Trade Routes using their Star Ships, and the Colonial Map from the my-colony.com website is going to be accessible in-game soon to aid in this. There are also new interactions coming for Embassies, some of which will only be available to PVP Federations. To support this, both Zolarg and Reptilians are getting new giant 'Hall of Congress' type building soon, as well as Star Ship production.

There are also going to be further changes made to the My Colony website to accommodate all of the new stuff. Federations will each have their own page, and unlike Commonwealths, there will be a few customization options for a Federation page. If you haven't looked at the My Colony website recently, check it out, I've been adding things here and there over the last few weeks: https://www.my-colony.com/

Finally, in-game moderators are on the way. I have several applications, and will be contacting people with offers as soon as the server is ready for them. There is still a bit of server work I need to do to accommodate what I want to do with moderation, but I think when it's all implemented, it will make the online experience a lot better for everybody.

So that is all for this update. This one took me longer than normal to put together, and I have to spend the next few days catching up on other projects, but I should start v0.76.0 mid next-week. Until then, enjoy the update, and it should be hitting all platforms within the coming days!
5y ago
@bastecklein, what if the news system could be partially integrated into settlements themselves? You might be able to set rudimentary news messages in-game through the multimedia center, while also being able to access and choose channels from a large selection of "registered" third-party news sources for the game, similar to the mod menu in MC2.
1y ago
I haven't tested trying to host two different servers on the same machine, but my guess is that it would cause issues. Granted, this is only really a problem if you want multiple players on the same planet. If you are just running your own game and don't care about other people joining, then it really makes little difference. If you are just playing your own colony single player then it probably wouldn't matter if you ran 10 colonies on the same PC.

Every game you start in MC2 is technically a server, whether it is dedicated or not. Whether or not other players join the game is really immaterial. You can just start your own game set to private and build a colony like in MC1, and it will be just like a normal game. There is no requirement to have multiple players, in which case the game would be just like MC1.

In this manner, a "server" for MC2 is not at all like the server for MC1, they are similar in name only. The MC1 server handles colony information and trades for all games. A server in MC2 houses all game logic and processing and supports multiple players on the same map. MC2 may also have a separate global server that handles colony information and trades, like the current MC1 server, depending on if I go that route. I'll have to see how the game plays and feels first to see if it's even necessary. I am hoping it's not...

As for the different protocols on different platforms, I understand that it is not ideal, but unfortunately that was not some sort of design decision on my part, but a matter of necessity. Each platform only supports what it supports, and that is pretty much out of my hands. All I can really do is enable all supported protocols on each platform and give them a way to talk to each other. Some multiplayer combinations will not be possible, like an Ape Web Apps player joining a Windows 10 (UWP) server. However, a Ape Web Apps player AND a Windows 10 UWP player could both join a Desktop/Steam server. If a global MC2 trades server is added at some point, any client would be able to join it regardless of protocol, just like in MC1, because that is an entirely different system.

Hope that answers something!
3y ago
One of the long-standing issues with My Colony 2 is that roads currently cannot be deleted. The reason for this has to do with the way roads were set up at the beginning of development for MC2.

For those who don't know, every game of My Colony 2 consists of two parts, the server and the clients. Even if you start a single player game on your own device, the game engine spawns a server on a separate thread, and a game client that you connect to the server with.

Additionally, the game world is split into chunks (kind of like Minecraft). As you scroll around the world, the server has to transmit all of the information about the chunks in your view area.

Further, the "Road" items in My Colony 2 are technically structures, just like the greenhouse or the ore refinery. You can see this in the Game Editor. So each tile of road that is laid down is similar to building a structure.

Since there is the potential to be way more road structures than regular structures, this can eventually lead to there being a ton of road objects created on the server, and a lot of data that needs to be transmitted from server to clients. This is further compounded by the fact that My Colony 2 maps are unlimited in size, potentially opening the door for tons and tons and tons of roads.

To try to get around this, instead of creating a road object for each tile of road placed, My Colony 2 creates one road object for each set of roads you build, and then remembers the end points of that road. So if you start drawing a road at coordinate x,y, and then move from point a to point b to c, d, e, f, and so on, the game just remembers that you build one road network with several points. Then the game just plays "connect-the-dots" by drawing your road from one point to the next.


If you look at the image above, this entire thing would be considered one single data object on the server. This saves a ton of space when saving the game, and a ton of bandwidth when transferring data from server to clients.

Since the roads are just a collection of endpoints, the don't technically "exist" on each individual tile that they occupy. This is the reason why you are currently unable to delete roads in My Colony 2, and the reason why roads can be built on top of other occupied spaces. Roads are basically just an illusion to the game right now. You may have also noticed that roads that provide a utility, such as the Solar Road, only provide one tile worth of power, even if they look like they take up 1000 tiles.

So I have been thinking for a while of a good solution for roads that will make them work better, allow for them to be demolished, and not break the bank for save file size and bandwidth. So here I want to share what I am thinking of changing, and maybe some of the people out there who are smarter than I am will have some comments or better solutions in mind!

Firstly, roads will no longer be counted to the engine as structures. This will remove the necessity of storing as much data for roads as is required for structures. The downside is that the game will not be able to have all of the features of structures, but of course none of the existing roads do anything fancy anyway.

For each chunk in the game, the server will store an associative array of road types (pavement, solar, brick, etc) and an array of coordinates in that chunk that has each type of road. That way when the game has to transfer chunk data to a client, it just says hey, here is a list of tiles that have pavement, and here is a list of tiles that have bricks, etc.

Finally, roads will no longer be tied to a settlement like structures are, and will no longer have an owner. For power generating roads like the solar road, they will simply add to the utility pool for the settlement they are in. If they are out in the middle of nowhere, they will not do anything.

So basically, any player can drop any kind of pavement wherever they want. Now there can be restrictions, like you cannot build anything in a chunk that is "owned" by another player. But his will allow players to build roads outside of their settlement boundaries. This will also allow for the building of long highways connecting one settlement to another, without expanding settlement borders.

So anyway, those are the road changes I am considering for the next update. Let me know what you think or what suggestions you have on how to make roads better in My Colony 2!
2y ago
So a couple of days ago the state of the Ape Apps website was briefly being discussed, and I mentioned the idea of merging the forum section of the website into Ape Chat and just having all discussions take place in there. I have since given it a little thought, and I believe I have come up with the solution that I am ultimately going to implement, and that is what I want to discuss here.

Some time (probably) this year, I am going to be retiring the forums here on ape-apps.com, the official Discord server and even Ape Chat, and I will be sort of merging all three of them into a new/resurrected Discussions app.

Since most people here have joined during the My Colony "era" of Ape Apps, many may not remember the "Discussions" era, but it was my original app business success story, basically the thing that let me quit my "real" job and go full time with app development. I am going to give a quick history here of the Discussions app, and then talk about why that is the direction I am going to be going in and what it's going to look like.

Back in 2010, one of my very first apps was called Super Bored, which was an extremely basic communications app where people could post text and eventually pictures onto a single threaded chat board. The app started to gain a following, so I decided to copy/past the code and release another simple forum app called World of Warcraft Discussion. That one became even more popular, so I followed it up with Star Craft Discussion, Halo Discussion, Call of Duty Discussion, Body Building Discussion, and several others. The next thing I knew, all of these "Discussion" apps were getting a pretty active following, but it was sort of a pain to maintain all of them, so since they were all running on the same server anyway, I decided to merge them all into one giant forum app that was simply called Discussions.

Discussions was pretty active, up until Google removed it from the Play store (back then it was still called the Android Market) due to copyright complaints from Activision over the Call of Duty section and CoD images being visible in some of the screenshots. I tried to appeal, but not only was I rejected, they actually followed up by nuking my entire developer account because of the other video game themed Discussion apps I had (Halo, WoW, etc).

Anyway, the community lived on for a while, but with out the apps being on the market place anymore, it slowly faded away. There is still a remnant of it on a Discord channel, and part of it slit off into the RP Forums forum community. But eventually my interests moved on to making games and business applications and I never really put a serious effort into bringing back Discussions. There is still a remnant of Discussions that you can see as the first category here in the forums section of the website.

So fast forward to now, where I have Ape Chat, which is now embedded into both of the My Colony games. I have found it to be extremely handy to be able to communicate with the game players without having to actually have the game running, and my plan was to start implementing Ape Chat into most of my applications. But then we run into the situation where Ape Apps now has the chat, the forums, and also now the Discord channel for discussions. To my thinking, why do we need to have three different places, when everything could just be together in the same app?

So this is my plan for the new Discussions app, a merging of the Ape Chat, Forums, and Discord server into one unified place. Now I am not going to be using the old Discussions code or anything, and really beyond the name of the app, it's not going to have much to do with the old Discussions. But in my opinion, the name "Ape Chat" does not make sense for an app that allows more than chat. And plus I already own several domains related to Discussions that have been sitting collecting dust in my account for years now.

So what will the new Discussions be like?

I have a lot of plans, but here is what I am thinking right now. When I originally created Ape Chat, I designed it to be like an IRC server, and a lot of its limitations come from that initial design decision. It works pretty well for just plain chat, but when you want to start adding advanced stuff, it shows its limitations.

First of all, as compared to Ape Chat, the front end and the server are going to be completely disconnected, and in fact, the new Discussions client will allow people to spin up their own servers on their own hardware and run their own private Discussions community with their own rules and setup. Of course, the app will come pre-loaded with the official Ape Apps server.

Within each server there can be any number of channels. I don't know if channel is a good word for it or not, we can come up with something else, but they will also be able to be grouped by topic. So for example, there can now be a My Colony group, with several channels related to My Colony.

There will be multiple types of channels as well. The regular chat channel, which is how Ape Chat is now. There will be threaded channels for a more forum-like setup. There will be voice channels and video chat channels.

There will also be a private messaging system that will be replacing both the "Mail" and "Conversations" features here on ape-apps.com. Private messaging will be one-on-one between two users, or users will be able to create their own private channels like they can now in Ape Chat and do whatever they want. For one-on-one private messaging channels, I plan to support both voice and video, as well as direct P2P file transfers.

What will happen to the forums here?

They will be archived for a while and eventually taken down. The code behind the forums is a mess that has been layered upon more mess over the years, and I will be glad to be done with it. Plus I am tired of fighting constant spam. Users will be encouraged to migrate to the new Discussions platform.

The rest of the site is going to be redone from scratch, and will be more of a static information and marketing site for my stuff, but I will still maintain "What's New" type posts and updates, as well as an RSS feed that people can subscribe to. Actually, the new Discussions app will probably read that RSS feed as well.

What will happen to the Discord server?

It will ultimately be shut down once the new service is ready. I don't really think it will be needed anymore, and plus I really don't like Discord. You may look at the features from the new Discussions and ask "why not just use Discord instead?" The reason is that I cannot embed Discord into my apps, and not only will I be able to do that with Discussions, I will be able to do it in a completely custom way that lets the service have app specific features.

What will happen to Ape Chat?

Discussions is basically the next version of Ape Chat with a re-branding. It will simply redirect to the new domain, and all of the in-game implementations of Ape Chat will be migrated over to Discussions.

Conclusion

This is probably going to happen some time this summer. If you have suggestions on what the new service can look like, you can feel free to leave them here. I think it's going to be a lot better than the current Ape Chat, and it will be nice to only have to go to one place for communications!

Also fun fact, Discussions has an id of 1 on the Ape Market internal database, it's the first app I ever added to the Ape Market (actually, the whole reason I created the Ape Market was to host Discussions after Google took it down).
5mo ago
Spamlandian Television, or STV for short, is a custom MC2 news server I set up a while back. Content-wise, it's pretty similar to the default news ticker, but there are more headlines!!! It took me some time to work out all the technical details, but it's pretty much ready for release now. It'll be updated and expanded as MC2 news features evolve and I come up with new headlines. You can link STV to a world through https://news1.spamplan.repl.co, which you can also visit for instructions and troubleshooting info. Happy newsing!
1y ago
After much headbashing and MUCH help from Spamdude and @bastecklein I announce that the Universal RathDrgn News Network is on the air
https://rahtnews.zapto.org/

Universal RahtDrgn News Network "if you smell a rat! Call US! We want to smell it too!!"

available were ever fine Colonists shop.
wont harm household pets........ except hamsters, gerbils and mice
1y ago
Update (at request of @spamdude if I remember right), the primary call to the news server (as of v0.33.0) will now transmit an "extras" object, containing host operating system, server id, and base game id. Code example in original post has been updated to reflect the change.
1y ago
Thanks @itsLiseczeq

@Ansom I can add an underground layer no, no problem.

I am considering making a major change to the concept of a game file in MC2. Instead of the current region/city model, I am considering doing infinite (or at least way larger) sized procedurally generated planets, sort of like a world is generated in Minecraft. The map would be loaded in "chunks" like in Minecraft and so the engine would only actively process the chunks that are near currently have active players. Other areas of the map might process in the background on a less frequent interval.

In this way, it would be easy (well, easier) to have multiple players on the same map in real-time.

For performance, all game processing will be done in a separate worker script, the way it is currently handled in Epic Adventure, Colony Wars, and My Empire. Those games all separate out the client/server code, which makes implementation of real-time multiplayer a lot easier.

My thought is that players could create a local game file. Others could join their game if they choose to and start their own settlement somewhere on the planet. If somebody else has a settlement on another players local game file, the server player would have to be online for everyone to play. Each player would have their own resource pool, although that might be customizable on a per-game basis.

Players would also be able to download the server code and install it on their own box, running their own private server if they wanted to. In theory a single privately run server could host multiple planets as well, with trade networks between them, just depends on how powerful the server is. A private server hosted on a powerful PC or cloud hosting service should be able to handle quite a few players at once. The operator would be able to set custom parameters for the universe and assign other operators.

I have been thinking of ways to decentralize the multiplayer experience in MC2, so there is no single point of failure as there is in MC1. It would also lower my costs, and private server operators could take care of administration in their own servers. I think designing it this way from the start will allow for a pretty robust multiplayer experience.

Of course, you can always just play offline too, or in your own household via LAN. But I do like the idea of scrapping the region/city concept and replacing it with an entire planet concept, that just keeps loading new chunks as you scroll through the world. To me it is more realistic. And a single planet can now have multiple biomes, different resources in different parts of the world that you will have to build trade/transit networks to utilize.

Anyway, I have a lot of plans for MC2. It's not just going to be MC1 with 3d graphics. There are a lot of things I have wanted to implement that would have been too hard to just nail on to the existing game engine.
4y ago
MC1 don't have a solid, big player base. A completely decentralized game, with many different versions (theoretically, each player could have a different versions), completely player-server dependent.. I'm not sure if will work.

I love the possibility of (almost) complete customization, and the possibility to have a personal server. Even for easy play in different support. I could use a pc server, and play in my LAN in every smartphone/tablet/ecc, without big problem.

For the multiplayer, with the server/client decentralized we won't have classic multiplayer, just many server. Maybe few player will be play in "multiplayer", but.. for almost all players, they will be alone isolated on their server. Maybe will help few friend to play together.


But.. a central server (like MC1) for resources and trade don't have much sense with complete customization system. The economy in MC1 is already a disaster, a global trade system can't live in a game where player can make a building able to produce trillion and cost 1 ore.

I don't think player need to play the same map at the same time, sure.. will be a nice touch, but is crazy for server requisite and heavy depended to internet.

I prefer solid interaction outside the map (a solid economy system, a complete trade structure, from resources to bot, tech..), to a solid interaction inside the map.
3y ago
My Colony 2 v0.14.0 has just been released and should be hitting all devices in a timely manner. I had originally planned to focus on the Water World for this update, but it ultimately ended up being completely different! That's fine though, because this release brings a lot of interface changes and some good new content to boot. Let's take a look at what's new!

I have added a new glow effect to units when you select them so that it is easier to tell which unit you have selected. Also, I have brought back the gesture from MC1 where you can click/tap on a unit twice to select all units of that same type (within a 40 tile radius).


This change solves two feature requests at once, so it's all good. I still need to bring back the drag/box select for Units, which will happen in due time.

I have started to expand the Encyclopedia with the new Structures section.


Right now it is only a glorified list of all structures in the game, but of course you will eventually be able to click on them to get all of the detailed information.

Speaking of expanded dialogs, the Engine Settings screen has a new Interface section. Here, you can adjust the size of the in-game chat text, and turn off the Camera Mode toolbar button, since players who use a mouse may never need to click on that button anyway.

And finally for dialogs, I have started to implement the Statistics screen, although it still has a ways to go.


The stats will be greatly expanded in the future. For now you can get some general information about the planet as a whole, a list of all settlements (as well as the ability to instant jump to each settlement location) and details on all players on the server. If you are the server owner (or a moderator), you can even conduct player moderation tasks on the Players screen.


In addition, you can also now finally change your player color on the Players screen by selecting your own name. These player moderation options are also available now in the Dedicated Server console.

Speaking of the Dedicated Server console, you can now easily switch your game between regular and dedicated server mode! On the game listings screen, click on the settings gear icon to launch your game in either mode. This allows you to play on your own server when you are at home, and then switch it over to dedicated mode when you are away.


And finally, you can now restore your game backups from the game listing screen by clicking on the new Restore Backup option that is at the bottom of your games listing.

I have updated the Chat Commands guide with new console commands that have been added to the game. Most of these also can be accessed by in-game UI, but those who prefer to type have the option as well. To go along with these, and as I lightly mentioned earlier, you can now assign a Moderator to your server to help watch over things when you are away. A moderator currently has the ability to kick a player for 5 minutes, as sort of a time out. The server admin can ban a player for however many days they deem necessary. Feel free to suggest more options for both Admins and Moderators.

Pictured below, you can see three new building options that have been added to the popup that appears when you select a building, which are Sell Confirmation, Upgrade, and Clone.


The little sell confirmation dialog will appear when you click on the sell button, so that you do not accidentally do something by mistake. The clone button works as in MC1, allowing you a quick way to "build another" of a certain type of building without searching through the build menu. And of course the upgrade button is there because we can now upgrade buildings, just like in MC1!

Moving on, you will now notice that Border Lines are drawn around your settlements!


This makes it easy to determine where you can and cannot place structures.

There are other little engine changes and improvements throughout, but let's move on to the new stuff next, starting with a new map, the Abandoned World!


The lovely pink radioactive waters are back, and along with them come the new resource Ether, and the associated Ether Tank and Ether Pump. The Ether will eventually be utilized for power generation and other industrial uses.

Speaking of power generation, you can now harvest Uranium using the new Uranium Miner, which is stored in the new Uranium Silo, and can be used to power the new Small Nuclear Reactor, giving you way more power than you had before!


Lastly, I have made several changes to the Ice World, making it more difficult than before. You can no longer construct solar panels (or solar anything) or water pumps or Ore Fracking operations. The world is also darker than before, to highlight its cold inhospitable nature.


In exchange, the Ice World gains the new Crystal Glowrod, a light source powered entirely by Crystalline, and the Tundra Molehole, which is essentially an Ore Fracking operation, but for Regolith.

As always, there are other things here in the new update, but you can have fun discovering them on your own. I will be submitting this build to the Windows Store in the form of a premium PWA, so look out for that if you want to purchase the game through your Microsoft Account. And next month, My Colony 2 will finally be hitting the iOS App Store, so look out for that too. Until then though, thank you all for playing and supporting the game, and leaving your suggestions and feedback. And of course, stay tuned for a whole lot more #mycolony2 !!
3y ago
Good afternoon everybody, it's time for your weekly My Colony update! Today's release should be arriving soon on all platforms. Here's what's new.

My Colony v0.57.0 Changelog

New Stuff
  • New Occupation: Brewmaster
  • New Structures: Charcoal Converter, Brewmasters Den, Council of Arbiters, Real News Station
  • New Unit: Crude Extractor
  • New ad-free Content: Hardened Pavement Lit, Pillar of Light
Notes
This time I didn't make any engine changes beyond cleaning up a list of bugs that have been piling up since the last few releases. I want to start getting everything in the engine cleaned up before I begin development on Colony Wars sometime next month.

In terms of content, Humans get a new Alien Tech ore generating structure (Charcoal Converter) which is superior to the Ore Fracking Operation and should come in handy on the Forest Map. There is also a new version of the Hardened Pavement with a street light attached.

The rest of the content in this release goes to the Reptilians. They now have the ability to harvest Oil which allows them to also begin creating Rum. Rum then leads to their ability to grow Synthetic Crystalline. In addition, there is now a Reptilian version of the level 1 Consulate, the Council of Arbiters. Finally as sort of a joke, every evil Reptilian race needs it's own official government propaganda network, so you can now tap into the galactic Reptilian News Network which helps you build up Civics while inundating your people with 24/7 Fake News.

With the new civics generating structures I have no doubt that players will be ready to declare independence as Reptilians soon, so the Reptilian capitol will be arriving on the next update, bringing Reptilian commonwealths online for users who enjoy online multiplayer. The Reptilian version of the GBT will probably be arriving next update as well.

That's all for today folks, stay tuned for a whole lot more!
6y ago
I have a big Colonial Tycoon suggestion for an endgame, but it might not be very easy to implement.

I have played through until the end and unlocked all of the available technology, and now there is nothing really left for me to do in the game. It's been fun while it lasted, but now there isn't anything to keep me coming back to the game. Some other "idle" style games use some sort of "restart" mechanic to add in some complexity, but I think this game could be fairly unique if there was some indicator of market forces at work once you get into the endgame to add some challenge and unpredictability to the game. It would be something that could keep me coming back for more, even after all the available technology was researched, and all businesses were running with Max Level and Max Managers.

Here is what I am thinking - After a player has researched all currently available technology, the game enters a new mode where instead of a fixed amount of revenue, the revenue per business is variable based on market demand for that particular resource. (Basically, a positive or negative multiplier, which is randomly generated, is applied to the revenues of a particular industry). The Market Demand can go up (and the player would see "News" articles like, "Housing is estimated to be scarce in the coming months, prices are likely to increase" or "A new industry starting out is going to drive up the prices of Ore") or can go down, ("New retail competition slims down profits for sales at local Megamart" or "Tourist dies in an accident! Tourism revenue expected to decline rapidly"). These messages can be randomly selected based on the positive or negative effect on particular businesses. The "News" articles are displayed in a popup on the screen so the player knows what to expect as the prices change and helps explain what to look for. (Side idea, these could be archived and can be seen using a new "News" window to review past articles).

These market changes might mean the player would be wise to sell off businesses that suddenly start costing so much more to run that they go negative, or buy new ones where the profits are sky high. The changes could be sudden (a quick spike or fast selloff), or gradual (slow increase or slow decline). Changes to market forces could happen at a fairly random pace (likely with bounds for how little or how much time must pass between changes). This level of unpredictability would mean that a player would constantly have to readjust their business holdings to ensure they remain profitable.

I hope you enjoy my idea. If there is anything I can do to help with making this a reality I'd love to be of assistance.

Cheers!
6y ago
bastecklein said:Well yes, this is sort of what I want to do already, which I have started transforming the GBT price ticker into. My thought was to be like the news ticker on Sim City 3000 (I think it was 3000).

It’s good to hear it’s already developing (^ω^)
However I have a different view, I was thinking like, the News Ticker would be a minor part of the main game UI (if the screen have sufficient space for it) and GBT still keep its Trade Ticker.
HELLO COMMANDERS!
I just had an amazing discussion with @Luker124 about what will happen in Colony Wars.
Here, I'm presenting the ideas about the story of Colony Wars, involving all 4 civilizations.

Pre-War
In the vast Milky Way Galaxy, lies 3 great civilizations - The Humans, the Insectoids, and the Reptilians.

Humans are the new rising galactic power - The establishment of United Earth government changed everything. The rebirth of humanity from the disastrous failure, with all the humans together. Making achievements beyond what Roman Empire had, the extensive colonization has brought new unimagined opportunities and prosperity.
However, the corruption does not disappear as the dawn of a new era shines on the humans - the desire of the powerful politicians are endless. Further tightened security policy on member colonies, unreasonably heavy taxations, and even legitimating exploitation of labour, all these are just for benefiting those with power, at the cost of those powerless, and breaking their promise of a free and fair society (though the promise had always been a lie since the beginning).
Ruled by a corrupt government, with no will to reform, more and more people of this new commonwealth, especially from the lower classes and colonies, were not happy with this situation. With some of them having strong anti-commonwealth sentiment and advocating overthrowing the General Assembly through revolting against.
The General Assembly, of course, were always prepared to suppress resistance in their colonies using their proud Space Marines, and always actively search and destroy any hidden insurgents in their vast commonwealth. Despite their efforts, the opposition was not silenced, it was growing stronger and stronger, under the support of an organisation they had not discovered yet - LIS.
Meanwhile, with their neglecting attitude on galactic politics, they were not aware that another new threat from afar had already been approaching them.


League of Independent States, abbreviated as LIS, had been working in the shadows for decades, waiting and preparing for a best chance starting a decisive independence war, to free people from tyranny under the United Earth General Assembly.
There was not yet any concrete information about where and when this organisation was founded. Only one thing is surely correct about them - Where people suffer, where they are, and they're here to resist tyranny.
Despite United Earth government already expecting there would be ‘insurgents’, however, their influence were far beyond than they expected, especially in colonies with strong opinions opposing policies of United Earth - LIS influence grew through means of secret propagandas, cooperation with black markets, and even providing planning support to anti-commonwealth activities.
Unlike United Earth, they were aware of the importance of galactic diplomacy, they understood they were not able to fight Space Marines without sufficient external support, even having thousands and millions of militias ready to fight. They had one potent choice, known from the black market intel - Zolarg Empire, which LIS recently established contact with them.

The Insectoid Empire of Zolarg, or simply Zolarg Empire, was also a recent rising power. Once enslaved by Alpha Draconians, they revolted against slavery a century ago and retrieved their civilization from the hands of Reptilians, under the leadership of their wise and brave leader - Emperor Zolarg.
Emperor Zolarg is eager to develop their civilization to a new level, for restoring the dignity of their race, and stop the history of being conquered by anybody else. Through their agricultural knowledge from their ancestors, industrial knowledge stolen from Alpha Draconians, and their own newly pioneered bioengineering, their hard power had been thousand times stronger than the beginning. In the same time, the social and cultural development of the Empire had reached new heights, with ancient religious traditions and technological advancements coexisting in harmony (except the use of… ‘soulless’ robots still under debate), and a successful communal society for large populations.
The new page of Insectoid history was indeed glorious, but not easy. Even they successfully set foot to become a supernova of galactic power, it did not mean Alpha Draconians won't take their revenge someday, sooner or later, and also most of their brothers still not freed from slavery. Their primary mission was still further strengthening their national power, and if possible, finding an ally, in order to fight against the almost all-powerful Alpha Draconians.

The Reptilian Empire of Alpha Draconians, or more referred to as Alpha Draconians, is an old warlike civilization with a strong national pride, that existed longer than other civilizations in the Milky Way Galaxy before The Ancients (that disappeared for unknown reasons). One of their possible origins was they were migrant Reptilians from another galaxy, as told in their historical documents.
Alpha Draconians had vast territories in the Galaxy obtained from conquests and annexation, but their name was not well known in the galaxy - Due to their secret style of ruling. Only some powerful political figures, and those under direct rule, know about their existence. Their spies and covert agents widespread across the Galaxy, watching over people, controlling propagandas, delivering absolute orders to their puppet governments, and assassinating any opposition or disobeyed, everything were under the will of the Inner Circle of Lords, and the supreme leader Overlord.
Not just having a strong secret influence, most of their national power are unmatched. Having the most superior technologies, sophisticated industrial machines, most educated elites and a ruthless robot army (that is especially feared by the Zolarg Empire). What are these national powers being built on? The effort of others - slaves, tributes and stealing.
The old empire might still look well, but with more and more problems rising within. Since the Insectoid Uprising and establishment of the Zolarg Empire, they are losing more cities and slaves, shaking their economy and national pride to their foundations. With economy performance dropping year by year, and the core Reptilian society began questioning the ‘invincibility’ of the empire, the Overlord had been facing heavy pressure. Meanwhile, another political crisis was emerging between the Inner Circle and the Overlord - the competition for the throne of absolute power.
Overlord, eager to strengthen his power, planned to begin another conquest, to search for manpower and resources, and, of course, attempt to prove Alpha Draconians was still invincible. And their eyes were set on a civilization - Humans. At the blink of a civil war, and having a corrupt government, a perfect target for Alpha Draconians to secretly intervene, disrupt, and ultimately, conquer them with the might of war machines once they were exhausted fighting.


The Beginning of the War - Terra Nova Incident
Coincidentally, both LIS and Alpha Draconians were looking for a good chance to start a war, but for different aims, different ways, and they had no connections.
The tension between human colony Terra Nova and the United Earth General Assembly had created an opportunity for them.
Terra Nova was a colony under United Earth, yet with the presence of LIS. People of Terra Nova, from workers to their governor, agreed that the United Earth government was too corrupted to rule them, decided to take action in a non violent way, becoming the first colony ever to refuse paying tax to the General Assembly.
Alpha Draconians understood what LIS was trying to do - try to provoke United Earth to take the strongest military actions ever against their people, to be a reasonable excuse to start the war. To ‘accomodate’ the needs of LIS and make progress on Overlord's plan, Alpha Draconian covert agents in the General Assembly began their covert operations, paving path to the military actions step by step, through persuading works, blackmailing and misinformation campaigns. An embargo was first being passed in 4 days, and then a blockade was passed a week later. And after 3 months of ‘debate’ and ‘arguments’, and the ‘Friday Coup’ (controlled by Alpha Draconian agent) happened within the period that caused the cleanse campaign on the opposition party, a decisive pass was made on the decision taking violent military actions against Terra Nova, ‘without’ any objections, leading to the Terra Nova Incident.

The dispatch of Space Marines 35th Regiment (SM35) had angered hundreds of colonies, and people of Terra Nova as well. Things had progressed as LIS wished, they began rallying up resistance fighters in the hideouts in Terra Nova, preparing for their final phase to begin the first phase of war - a surprise attack.
Without much resistance, SM35 occupied Terra Nova under the lead of Colonel Harold Franklin. Soon Space Marines recognised they were in a weird situation - Terra Nova did not strongly resist at all as they arrived. However, it was too late. Just a few minutes after they had noticed that, LIS militias led by a militia officer Admiral Beuford P. Tots ambushed all major forces of SM35 at every street and alleys of the city, causing heavy loss of well-equipped marines. At the same time, LIS revealed themselves in the public for the first time, declaring war on United Earth - marked the beginning of the Human Civil War.
Very soon United Earth's forces retreated from Terra Nova, leaving the colony under LIS control. LIS declared independence of this colony a day after, renamed it Independent State. This city was the command centre of LIS throughout the war, which will be the capital city of LIS after the war.


Early Human Civil War
The United Earth Security Council was in a big chaos after the Terra Nova Incident - unexpectedly attacked by an enemy and almost lost the entire SM35, and little the Security Council knew about LIS. Even though garrisons and national guards were immediately told to prepare and mobilize to respond any possible LIS attacks, however, still not able to stop LIS - either fighting at broken morale or without enough time for full preparations - Since they had no idea where LIS forces would start their attack, and these rebels were well prepared already.
LIS, taking this advantage, launched a series of scattered yet successful attacks in neighbouring systems. Just within the first two weeks of the war, United Earth lost 15 colonies, 45 main trade routes or supplies, and countless soldiers either captured or killed.
However, LIS did not have the upper hand for long - especially after the original Security Council Chairman, Bofors Kaiserton, was replaced by an experienced Marshal called Bradley R. Johnson. The Security Council was soon reorganized by Bradley to stabilise the mess, launched propaganda campaigns to restore the morale of United Earth forces, and began studying the tactics of LIS forces, which the studies could had begun at the first day of war, but got delayed to 5 days later (day 6), due to Bofors unable to stabilise the chaos.
Around 3 weeks later, under the coordination of the Security Council, LIS began losing their ambush advantage, due to their patterns being tracked by Security Council and United Earth forces began being able to predominate the battlegrounds before LIS did so, forcing LIS forces to fight against United Earth forces directly. The Battle of Ferris Mountains on day 37 was a major defeat for LIS, which the local United Earth garrison of Ferris Mountains, instead of being ambushed, baited LIS forces to their doom. The next day (day 38), LIS changed their general combat tactics from sneak-and-attack based to direct confrontation based. Since that battle the loss of United Earth was stabilized at a lower rate. The civil war reached the second stage, the period when major battles were fought.


Mid Human Civil War
Despite losing early advantages, with the introduction of newer weapons and black market technologies LIS forces were still able to maintain their offensive pose in the war for a while, still surprising United Earth forces, in various battles pushing their front straight towards the Solar System.
The most well known new weapon LIS introduced during the war was the Apollo-3500 Beam Emitter, which were equipped by their heavy infantries and installed on specially designed combat vehicles, the weapon itself is able to melt most armour into slags by emitting high energy beams. They caused large troubles to traditional armoured combat vehicles, especially proven in the Battle of Harbinger Greenlands (which led to United Earth giving up the Ares-4 System) that the 196 th Armour Regiment of United Earth experienced a brutal defeat under devastating laser fire of 44F Laser Battalion and 44G Laser Battalion of LIS.
Another major battle featuring LIS new weaponry was the Siege of New Paris that lasted for 15 days. The introduction of Javelin-E ‘Incognito’ Missiles in the last day (though a bit too late) decisively ended the battle, these missiles were designed not interceptable by AEGIS Theater Missile Defense System used by United Earth and successfully breached the fortifications of New Paris Citadel in an almost effortless way.
Meanwhile, 49 more colonies revolted against United Earth rule under LIS support, providing minor battlefronts for LIS to push forward further into United Earth territory.
Amount of LIS territory occupied reached a peak on day 59, which over one-fifth of United Earth territory was taken over.
The offensive pose of LIS lasted until United Earth, though later, also began introducing (a limited number of) experimental weapons into the battles, and the return of Space Marines Corps with upgraded equipment, reorganization and replenished manpower. From that time on, the tide of war had changed favouring United Earth, they began pushing LIS back.
Just 2 days after New Paris was occupied by LIS, this city was back in the hands of United Earth, under the strong firepower of Space Marines 12th Regiment, and LIS forces here were still too tired to fight. After the Second Battle of New Paris on day 73, LIS lost a large proportion of major forces and the overall offensive formation breached. In later times, LIS major forces were defeated one by one, setting LIS forces back quickly.
With that moment the situation largely disfavored them, LIS decided to take a risky move - Reveal and use their secret weapon stationed in New Bavaria, either to devastate United Earth capital city that would put United Earth into mess again, or at least buy some time to find a foreign ally.
The risky move was well known as the ‘Interstellar Missile Crisis’ event. On day 88, LIS broadcasted a message through hijacking the communication hub in Coloniae Leon, threatening they had a secret mass destruction weapon that could never be intercepted once launched, and its range could cover all United Earth territories - Interstellar Warp-Speed Missile (IWSM) with Disaster Warheads derived from Instant Terraforming Bomb Project data found in occupied government labs. And, the first missile, to be launched within 24 hours, would fly straight to the capital city of United Earth - planet Earth.
United Earth offensive operations were halted due to the short chaos caused by the seemed inevitable threat. The United Earth Security Council soon ordered the search for their missile base as the countdown had begun. 7 hours later they located the missile base, and 9 hours later Space Marines 2th Division arrived in New Bavaria. The battle in New Bavaria lasted for 7 hours, at the last hour the missile base was captured, with most of the IWSMs destroyed at the site immediately.
LIS did not waste the time by sacrificing their secret weapons. During the Crisis, LIS secretly contacted the Zolarg Empire and shortly reached an alliance agreement with them - for their common pursuit of freedom and liberating people from suffering, and they needed each other. The entry of the Zolarg Empire would bring the war to the third stage, the time when things had been becoming more complicated than just a civil war between Humans.
What about Alpha Draconians? The Overlord was pleased by the situation so far, the plan had been successful. While humans were busy killing each other, the Overlord ordered mobilizing their robot armies into the back of United Earth territory through means of secret portals prepared by covert agents. While Alpha Draconians were making preparations for the takeover plan, one thing the Overlord was not expected to, and not knowing would happen - the Zolarg Empire, their nemesis, would interfere with the war very soon. On the other hand, the political enemies from the Inner Circle, were scheming a plan to pull Overlord off his throne.


More Than Just a Civil War
Just when people of United Earth thought the war would be over soon with the defeat of LIS. 8 days after the Interstellar Missile Crisis (day 96), the Zolarg Empire declared war on United Earth, in the name of helping their allies - LIS, and officially began mobilizing their troops to the borders of United Earth.
War from another civilization put the United Earth under mass panic. Not just because the war that was supposed to end soon would become even longer, such a scale of invasion from another civilization of a different race was something humanity never had experienced.
Zolarg forces flanked United Earth from the other side, putting United Earth in an unfavorable situation - A war of two fronts. The back of the United Earth was left underdefended (not undefended) due to major forces being put into LIS fronts, leaving the borders only garrisoned with only a small number of troops. Even though the Security Council ordered splitting the troops to the borders in order to stop the Zolarg offensive, the border defenses were breached faster than imagined, garrisons were unable to hold the line before reinforcements had arrived. When the reinforcements reached the Zolarg fronts, a couple of cities and colonies had already been occupied by the new enemy.
At first United Earth forces on the Zolarg fronts attempted to make quick offensives against Zolarg forces in order to re-concentrate on LIS again. However, after a few offensives they found Zolarg forces were difficult to remove - Everytime an Insectoid base was ‘removed’, a new base was rebuilt quickly and pumping out loads of new troops as nothing had happened. Later they found out it was due to the Insectoids established complicated yet useful subterranean tunnel networks that allowed rapid reinforcement on the planets, with entrances hard to be detected using traditional sensors. United Earth troops on Zolarg fronts quickly changed their tactics to mainly defensive with very minimal offensive progress, until their sappers were equipped with new tunnel sensors they began able to retake some territories.
Meanwhile on the LIS fronts. Thanks to the Zolarg Empire entry into war, LIS now faced much less pressure from United Earth forces. Now they were able to at least sustain their defensive lines. After their IWPM were modified to smaller missiles and cheaper designs and put under use, they were able to make small offensive progress for a few days, still threatening some of the strategic locations of United Earth. However, the LIS fronts fell into a stalemate for the rest of time.
The unexpected news of the Zolarg Empire's intervention in the Human Civil War delivered to Alpha Draconians. Overlord was not informed about that until 6 days after the entry of the Zolarg Empire into the war - his political enemies from the Inner Circle controlled information flow in Overlord’s chamber through bribing the Imperial Informats (internal messengers of Overlord’s Chamber). The Overlord, knowing schemed by his political enemies, was angered, but also worried about his plans to secure his position in the throne. The Zolarg fronts in United Earth was exactly the location where the secret mobilization concentrated at. At this rate, his great plan would fail easily if the troops were discovered by either humans or insectoids, and it was just a matter of time, sooner or later.
With his ominous worries, the Overlord assigned extra supervisors into the Ministry of Expedition in order to secure his control on the conquest of the human race. However the Inner Circle had an upper hand - the Ministry had already been hijacked by their covert agents. The newly assigned supervisors of Overlord were soon silenced and puppeted by the Inner Circle.
The Lords of Inner Circle now had control of the Overlord’s expeditionary forces in United Earth - With just a slight attention created by the expeditionary forces to let Zolarg forces to notice, it was enough to ruin the plans of the Overlord, to further destroy his reputation, and ultimately pulling him off the throne.


The Incident that Changed the War - Barracuda Blues Events
On day 165 of the war, an event took place on colony Barracuda Blues, a colony lying behind the Zolarg fronts, inside the territories of United Earth. This incident had changed the entire war - from confrontations between mainly United Earth and LIS, to a war that 3 civilizations together defending against Alpha Draconian invasion.
Just within a night, the base on Barracuda Blues disappeared, with remains of weared-off tank armour and charred grounds indicating there was combat. The only thing left was reports about unknown alien contact of hostile inorganic objects and strong energy sources detected by base on neighbouring planets. The United Earth Security Council received the reports 8 hours after the incident had taken place. A global investigation on Barracuda Blues was ordered 2 hours later.
4 days after the investigation had launched, inspectors reported an unimaginable discovery - a hidden facility, camouflaged by cutting-edge field generators of unknown origin, full of unidentified machines in dormant status, and a colossal device suspected to be a long range stargate portal that was the origin of energy detected.
Informed about such discovery, the United Earth Security Council (cautiously) saw that as an opportunity to obtain superior military technologies that could help break the stalemate of the war. Scientist teams and more military staff were sent to the site for further secret investigation.
Despite the news being a secret, the information about such ‘discovery’ had reached the ears of LIS, their hackers intercepted the intel. The intel was shared to forces of the Zolarg Empire, in order to figure out what it was.
Zolarg forces seemed to know something - Just a couple of hours later LIS received replies from the Zolarg Empire, about warnings of a common threat from the other side of the Milky Way Galaxy had infiltrated into human civilization - Alpha Draconians. The Zolarg Empire had also sent a similar message to United Earth, and demanded evacuating the investigation site and destroying it as soon as possible.
The United Earth Security Council, at first, did not take the warning seriously, suspecting it was just a deception from both LIS and Zolarg Empire, trying to prevent United Earth from obtaining technologies that could help them win the war. Later events proved them wrong - 2 days later, the site was under attack - not by LIS, not by Zolarg Empire, but those unidentified machines they were supposed investigating. The machines were suddenly animated, hovered into the air, and revealed what they were - war machines, with the emblem of Alpha Draconians. Almost all staff at the site were killed in the matter of minutes, only a group of soldiers managed to escape, and reported their terrible story (with solid evidence recorded) to the Security Council.
Heard of such an event taking place, and reconsidering warnings from the Zolarg Empire, the Security Council decided to have the big issue discussed in the General Assembly, hopefully they could recognise the dangerous situation they were in.
Meanwhile, LIS and Zolarg Empire had also begun their search for Alpha Draconian existence within their occupation zones, and counter-ops against Alpha Draconian influence.
Under a common threat that could not be repelled with the power of a nation, three participant nations of this civil war held a close-door summit on day 178 in an United Earth city Neo Floridas under maximum security measures. On the next day, all leaders of the military came to an agreement - a ceasefire treaty that put a pause on the civil war, and a temporary alliance pact - known as ‘Delta Alliance’ by humans - that would last until the Alpha Draconians were repelled.
Exposures of Alpha Draconian expeditionary forces and the formation of a temporary alliance were quickly reported to Overlord by the covert agents within the United Earth General Assembly. Shocked to know his plan had gone wrong, the Overlord, immediately contacted his supervisors in the Ministry of Expedition. Without any response, the Overlord understood what had happened - His plan had been hijacked by the Inner Circle.
Indeed, the exposure of expeditionary forces in Barracuda Blues was the order of the Inner Circle, through the Ministry of Expedition which was under their control.
The Inner Circle also received reports of their successful sabotage on the Overlord’s plan. With now they knew the Overlord was in trouble, they began spreading the scandals of the Overlord ‘might even be unable to conquer a lesser civilization’, to cut down Overlord’s support from core Reptilian society. Now, with the information of this invasion leaked to both humans and Insectoids, and further pressured by the scandals, the Overlord had only one choice left for the invasion plan - launch the attacks immediately.


Alpha Draconian Invasion
On day 186, the day known as the ‘Invasion Day’, the remaining dormant expeditionary forces of Alpha Draconians inside human territory were activated under the orders of the Overlord himself, launched the Invasion of Humans, beginning from Barracuda Blues where their forces and one of their main portals were exposed.
The Allies were prepared, they had located and destroyed a few hidden Alpha Draconian facilities, and shared any intelligence known about Alpha Draconians. Yet were not on the upper hand. The cutting-edge war machines of Alpha Draconians was not something humans were able to deal with easily, the superior armour strength and stealth capabilities of Alpha Draconian forces had caused some significant loss of Allied forces.
On the other hand, Overlord tried to keep Zolarg Empire forces outside the war theater of human territory as first priority, preventing the Zolarg Empire from assisting humans with their intelligence and troops. Alpha Draconians inserted blockade fleets in neutral zones between the Zolarg Empire and United Earth, as well began rallying troops at Zolarg borders. The Zolarg Empire not just had difficulty helping humans defending against the invasion as their forces in United Earth were encircled, intensified conflicts and battles at Alpha Draconian borders were something they had to put more focus onto.
The invasion broke out from the inside spread like wildfire in human territory as the Zolarg Empire was not able to provide assistance. Just within a week, Alpha Draconian presence was reported in all human territories (in terms of before the civil war broke out). 58% of original human territories were occupied by Alpha Draconians within a week, mainly the areas around the Zolarg fronts.
Humans had no chances of counter strike at this moment, as the Overlord predicted. However, the Overlord had underestimated humanity. Instead of keeping an eye, he ‘confidently’ set the expeditionary to spontaneous mode, promising the core Reptilian society that humans would be brought under Alpha Draconians in no time (in order to retain his supporters).


The Counter Strike
Alpha Draconian domination on the battlefield lasted until United Earth deployed their new superweapon.
United Earth lacked new weapons of instant destruction needed to change the tide of war since the total decommission of the nuclear arsenal right after the establishment of the United Earth General Assembly. Considering reactivating the nuclear arsenal project would cause large discontent from both the General Assembly and the public due to the long term consequence of detonating nuclear weapons, the Security Council, long ago reviewed older military research projects to seek for a powerful weapon with minimal impacts upon use. And when the invasion broke out, they already had a weapon project at almost completion that came into handy - Particle Cannon. The research of this surgical-space-strike (accurate strike instead of mass destruction) weapon was greatly accelerated by the data from Alpha Draconian facility on Barracuda Blues. 14 days after the Invasion Day (day 200), the first Space Strike group had completed construction at United Earth’s capital shipyard on Earth orbit, assigned into and escorted by the only 3 main starship fleets.
Upon the new weapons were ready, Marshal Bradley of the United Earth Security Council authorized the largest military campaign in the war - Operation Zeus, which began from day 205, aimed to retake territories beyond the Zolarg fronts occupied by Alpha Draconians. Mobilizing over 54 land forces divisions, 6 Space Marines divisions, 31 space fighter wings and 2 starship fleets.
The first use of Particle Cannon was used in Battle of Leo-34, showing the impressive firepower to the entire humanity. The Alpha Draconian stronghold on the planet was reduced to scraps in the matter of a few Particle Cannon bombardments of the 3th Starship Fleet.
The particle cannon also shone on other major battles, including the largest starship battle Battle of Kelvin Rings that the superweapon put the end to Alpha Draconian ‘Eradicator’ class battleship (though that was not their strongest warship in service), and Siege of Venet-35 that the weapon critically broke the siege of Alpha Draconian forces on the colony.
Operation Zeus had achieved a massive success within two months. The Operation recovered 21% of original territories, and some post-war statistics estimated that the Operation had also destroyed almost half of the Alpha Draconian expeditionary forces.
LIS had also achieved victories after their deployment of Type-X EMP warheads that effectively paralyses robot-based Alpha Draconian forces and facilities upon detonation. Just within half of a month after the deployment, LIS was able to uproot all Alpha Draconian facilities and portals within their occupation zones and freed up a large amount of troops for offensive operations beyond their territories (to ‘liberate’ more colonies, of course). At the same time, LIS had also completed an counterintelligence research Project Beacon that analyses the activities and signals of Alpha Draconian covert agents and communications (using information provided by Zolarg and harnessing their expert knowledge of cybertechnology), greatly preventing further Alpha Draconian sabotages on Allied forces, and made the hidden movements of Alpha Draconians predictable from that time on.
The human counterattack progress stopped at regions around Barracuda Blues. At this moment Barracuda Blues was one of the last strategic locations for these intruders - where their last functional long range portal was located, the only available reinforcement station for them. However, also the most fortified position of Alpha Draconian intruders - not only the main portal was protected by the state-of-the-art fortress setup, other strongholds around Barracuda Blues formed a complete exterior defense system that was able to stop any starships approaching this critical site.
The counterattack of humans was reported back to the Ministry of Expedition for multiple times, however nobody read the report - The fierce political competition inside the Ministry between Overlord loyalist and Inner Circle had disrupted literally everything, ignited a few days after the blockade on the Zolarg Empire. Military officers and staff were being assassinated or replaced by the two parties very frequently, they had no time and effort to care about any operations of the expeditionary forces but tried to protect themselves or seek extra interest in this internal political rivalry.
As the regular functioning of the Ministry of Expedition came to a halt, the blockade fleet between Zolarg Empire and United Earth was soon out of control, without any coordination the blockade was breached by Zolarg fleets, like the blockade fleet was just a dull asteroid belt. Regaining the supply line to their occupation zones, the Zolarg Empire began sending their fleet and elite force Imperial Templars to the battlefronts in human territory against Alpha Draconians.
Overlord regained information and control of his expedition plan after Overlord loyalists successfully retaken control of the Ministry of Expedition as a series of bloody political events took place. Knowing his miscalculation on humans and he had missed a lot of events during the Ministry was handicapped, the Overlord ordered a regroup of all remaining expeditionary forces at Barracuda Blues, as well as authorising the expeditionary force access to advanced reserves of Alpha Draconian war machines, the Apocalypse Order, to terminate human resistance before it was too late to remedy the situation. An invasion fleet was also ordered to dispatch for securing the invasion plans, either backing the reinforcement up, or in case the last portal falls the fleet could still devastate the remaining human forces and do the occupation.

The Battle of Barracuda Blues - Twilight of the Intruders
All human major forces from both the United Earth and LIS, and later a small number of Zolarg forces from occupation zones, gathered near minor strongholds around Barracuda Blues. Deployments began on day 274, preparing for the last battle to stop Alpha Draconian invasion - which Allied forces had thrown literally everything they had into it, almost all of their major forces and types of weapons.
Alpha Draonians had gathered a majority of the first group of Apocalypse Order from Alpha Draconia arrived at Barracuda Blues, standing by at the site.
The Battle of Barracuda Blues broke out on day 277. The 2nd Vanguard Group led by United Earth Space Marines 1st Division secured a minor portal stronghold on Baston-36, under the support of the United Earth 3th Starship Fleet and Particle Cannons. Hackers from LIS performed a follow-up hacking of the portal control immediately, opening up a route to Barracuda Blues for major forces after 4.5 hours.
Commando platoon headed by the legendary United Earth elite Sarge led the charge into the Barracuda Blues through the portal, securing an area on the east wing of the main portal stronghold. The remaining forces of 2nd Vanguard Group established a forward base for providing support, with Main Battle Command led by Marshal Bradley of United Earth responsible for the main offensive operations following behind.
Other battle groups were told to tie up other minor strongholds to prevent their reinforcements to Barracuda Blues, and if possible, take over the portals in the minor strongholds.
The first attempts of siege, on the same day, had been unsuccessful. The defense of the main fortress complex was far more defended than imagined. The point laser defense system rendered conventional artillery fire useless, the firepower of the newly arrived Apocalypse Order outrunned offensives of the Allied forces, even the Allied forces were supported by 5th Battle Group later which successfully broke into the south wing through the portal of another stronghold. At the end of the day, the offensive operations had been temporarily halted under the order of Marshal Bradley to prevent further losses.
On day 288 Allied forces detected a larger group of Apocalypse Order reinforced Alpha Draconian forces in the fortress. Few hours later, Alpha Draconians began taking offensives targeting the Allied Main Command Group. Facing even stronger enemies than before, main forces of the Main Command Group were tied at their forward base and fell into a badly passive status, until 5th Battle Group received EMP missiles from LIS and sent help to break the enemy offensives.
On day 289, the 3rd Battle Group composed mainly of Zolarg forces entered the battle at the southern forward base, launching subterranean infiltration attacks into the west part of the fortress. Although the infiltration forces experienced heavy casualties as they broke into, however, provided an important internal structure intel of the main stronghold - there was an antenna structure acting as an command node of stronghold defense, which when sabotaged, it could weaken the coordination of, or even paralysing, the stronghold defenses. However, the infiltration forces also reported there was a massive energy flow towards the centre part of the facility, where the main portal was located, presumably sending in core forces, or worse, a destruction device known as ‘Annihilator’ by Zolarg forces which capable of releasing an energy blast that could destroy any non-Alpha Draconian machines and living being within 50 lightyears radius. The enemy reinforcement was predicted to arrive in three or four days.
The reports from the infiltration forces had put the Main Command into an anxious mood, since this meant not much time was left for them - longer the battle goes, worse the situation becomes. The Main Command Group decided to take another offensive the next day, after the United Earth 1st Starship Fleet sent Particle Cannons to provide heavy bombardments.
Still, Alpha Draconians were prepared, they had set up energy barriers to neutralize Particle Cannon fire. With even the superweapon of United Earth proven ineffective on this base, the Main Command Group offensive once again ended up with extra losses.
On the other hand, the portal stronghold connecting the Allied forward base on the south wing was under attack by Alpha Draconian forces from another minor stronghold, the 5th Battle Group and the 3th Battle group had their most convenient supply lines cut and now had to rely supplies from either the 1st Starship Fleet or the Main Command.
During the hardest times having almost no means to break the fortifications of this stronghold, the hackers and engineers controlling the portal in Baston-36 brought a good news in the late night of day 232, they managed to hack into the heavily encrypted internal portal system and obtained a segment of access code that allowed them to teleport at most a commando squad into the stronghold (due to limitations of incomplete access codes), which this chance could be used to sabotage the command node, allow the major forces destroying the fortification when it was disrupted. However, the code was estimated to be expired in approximately 7 hours.
In the same night, but a bit earlier, a small group of Zolarg Imperial Templars joined the Main Command Group, providing limited but valuable replenishment of Allied forces.
With an irreplaceable opportunity to break into this almost invincible fortress, the Main Command immediately reorganized the existing forces, preparing for an all-out attack in the next day - It was either the Alpha Draconians or humanity being defeated, this would be the last assault to terminate their ambitions, once and for all.
4 hours later, a squad with the best commandos from United Earth, LIS and Zolarg was organized for the most dangerous mission, they were teleported to the west block of the stronghold, and later assisted by another Zolarg subterranean assault force from the 3th Battle Group. Meanwhile, all the other Allied forces on Barracuda Blues, advancing towards the stronghold.
The major forces expected the defenses to be disarmed as they reached the enemy defense lines. Yet the infiltration forces had trouble making their way to the command node, encircled by the stronghold guards as the Allied forces entered the alert zones around the stronghold. The main forces could only hold their position, forced to fight with the enemy elite forces, until the commandos finished their task.
After approximately an hour of brutal battles inside and outside the stronghold, the commando squad, finally made their way to the command node, and installed a disruption device onto it.
The defenses of the stronghold were immediately turned down under the effect of the disruption device, including turrets, energy barriers and point laser defense system. The stronghold, now vulnerable to any human and Insectoid weaponry, soon the main defense was destroyed under intensive artillery barrage bombardments. Alpha Draconian forces were also affected by the disruption effects, their combat efficiency was greatly lowered - the coordination errors broke their formation, these steel machines of destruction began ramming into each other. At this moment, Alpha Draconians had lost their overwhelming advantage in this battle, every force defending the fortress were soon eliminated by the Allied forces, leaving the central portal defendless. Allied forces very quickly flooded into the stronghold, reaching their ultimate target of the battle - the main portal, which was seen charging up for receiving new reinforcements - that could make short work on the last human forces if unstopped.
The decisive battle defining the date of humans, ended with a Particle Cannon strike onto the portal, tearing the portal into pieces of scraps. The dawn on Barracuda Blues after the particle beam dissipated, marked the victory of the Allies.
Remaining Alpha Draconian threats in human territory were eliminated within two days after the victory in Battle of Barracuda Blues under the efforts of human forces. For the first time, the entire humanity successfully repelled an massive alien invasion.
The invasion had not ended yet, Alpha Draconian invasion fleet was still advancing towards human territory. It was until Zolarg fleets attacked Alpha Draconian starbases that forced Overlord to draw the entire fleet back for defense and postpone the invasion… infinitely.


Battle of Kaisergrounds - Conclusion Battle to the Human Civil War
The invasion was over, ending with the defeat of Alpha Draconians.
But not everything was over. The Delta Alliance Pact had expired, now United Earth and LIS had to put their focus back onto their civil war… only after they had taken a necessary break from a month of fierce battles.
The Zolarg Empire had most of their forces tired of the battles in human territory, and they needed more forces and officiers to manage their conflicts between them and Alpha Draconians. On day 312, about a month after the end of the invasion, they agreed to withdraw from the Human Civil War, returning all occupied territories to the United Earth and evacuate all their forces after taking some necessary responsibility (mostly repairing damages they had made), as requested by the United Earth General Assembly and agreed by LIS. The civil war was now and finally kept just between humans.
Things had been peaceful (if not considering some minor skirmishes on conflict site planets) until the war was continued with the last major battle broke out on day 351 - the Battle of Kaisergrouds, which both sides hoped to ‘conclude’ the war in this battle (as not much war supplies were left for large scale conflicts), on this strategic stronghold occupied by LIS - To LIS, a foothold for liberating the core economic regions of United Earth in the future. To United Earth, an important barrier to keep LIS away from the most resourceful colonies.
The extremely rare ion fog winters of Kaisergrounds disrupted communication devices and sensors, which however favoured United Earth offensive - their landing forces could sneak onto the planet without triggering the alarms of LIS forces.
It was not clear how the battle had fought due to the unavailability of communications and battlefield monitoring in ion fogs. However, two outcomes were confirmed for sure - First, it might have been a ‘fierce’ battle, in which United Earth recorded 78% losses of troops in the battle while LIS recorded 85% loss of their forces. Either killed or (less likely) lost in fogs. Second, it was the victory of United Earth, after 4 days of battle United Earth 12th Space Marines Regiment managed to take control of the entire planet and sent a shuttle for delivering a battle report.


Aftermath
10 days after the last battle (day 365), the military leaders of two sides met in the Roundtable Summit in the colony of New London.
The Armistice of Hoxton was signed, with the following details:
  • Armistice: Military actions must not be taken inside territories of the United Earth and LIS for the upcoming 100 years.
  • Border Regulations: Border lines between United Earth and LIS, named Hoxton Line, are maintained. No space vessels should cross the line, both sides have the right to shoot down any vessels that crossed the line, unless the vessel has authorised access.
  • Embargo: Trades and shipments to and from LIS are forbidden. United Earth will enforce a blockade fleet along the Hoxton Line.
  • Colonization restriction: LIS must not carry out colonization near or along the Hoxton Line.
  • Trade Route Protection: Any LIS vessels with armaments equal to or more than corvettes will be regarded as violating United Earth trade routes.
  • Violation of any of these regulations will be regarded as breaking the treaty.
  • Any forms of independence by LIS will not be recognized and accepted by the United Earth General Assembly.
Though this is an armistice treaty, it had indeed ended the Human Civil War - at least it had ended direct military confrontations, another civil war is just a matter of time.
Eventually nobody achieved total victory in the Human Civil War, however, LIS actually ‘won’ the war. Colonies and cities occupied by LIS are no longer under the control of United Earth bureaucrats, they are freed from any forms of suppression and exploits, at least a better life can be started with ture fairness and autonomy guaranteed by the League.
Yet United Earth has also earned a ‘strategic’ victory, since they successfully defended most major regions, leaving LIS only able to have mostly barren planets of outer territories. The Armistice of Hoxton also allowed them to have limited control on the development of LIS.
The United Earth General Assembly was not satisfied with the outcome of the war - They understood that LIS had achieved their aim in the war. Now, the capabilities of the United Earth military were being questioned nationwide, even managed to repel the Alpha Draconian invasion - It shall be stopped to restore the reputation of the General Assembly. The General Assembly originally wanted to ‘retire’ Marshal Bradley to pacify the doubts of people, but changed their mind after reconsidering his achievements repelling an alien Invasion and read about his big military project to retake territories occupied by LIS, which the plan actually helped people put a larger confidence onto the military than before.
Speaking of the support, a tragedy for the Overlord of Alpha Draconians. The Overlord tried to cover up the failures of his expedition plans, however, the Inner Circle intercepted the intel. The scandal was soon delivered to all members of core Reptilian society, they now lost all confidence in the ‘weak’ Overlord that had completely ruined their national pride. Several days later, the Overlord was assassinated in a coup planned by the Inner Circle.
The seat of ultimate power was empty, but that is not a seat for many. A more intense, almost endless political rivalry took place between the Lords of Inner Circles beginning right after the death of Overlord, leading the entire empire into a state of political instability. Without a stable and powerful leader to rule the vast empire, the corruption in administration of Alpha Draconians is getting ten times more serious than before. Social order also began to collapse, leading to the disparity between the nobles and common civilians, and social unrests.
The instability of Alpha Draconians, and one more defeat for their seemed invincible military, gave confidence to the conspiracists hidden all over the empire. Some puppet regions began attempting to break away from Alpha Draconians. Though not all of them had been successful, more new powers have risen - Especially the New Galactic Empire, thirsted for galactic domination, is slowly overtaking the influence of Alpha Draconians in the shadows.
The Zolarg Empire finally found themselves a powerful ally to support each other against Alpha Draconian influence - Humans’ capability defending themselves against Alpha Draconian forces impressed not only the Insectoids of every hive, the Emperor is also glad to see this. A few months after the end of the Human Civil War, Zolarg Empire signed diplomatic memorandums with both LIS and United Earth, on the basis of cooperation during the invasion, to begin official peaceful interaction between Insectoids and Humans.
Zolarg forces returned from human territory also brought back some human technologies along with them. The inspiring foreign knowledge have stimulated further development of the Zolarg Empire in terms of economy, science, society and military, and indirectly led to an innovative invention of Insectoids - Mind Network.
While the human cities and colonies were rebuilding, humans also obtained interesting information from the remains of Alpha Draconian machines in Barracuda Blues. These cutting-edge machines have some linkage with the ancient aliens, which the scientists and archaeologists figured out these engines are derived from the ancient alien knowledge recorded on the artifacts scattered all around the galaxy. This discovery will bring drastic changes to human history, a new era of future technologies is predictable in the future not so far away.
Understanding they are not alone in the Galaxy, United Earth begin recognizing the importance of galactic diplomacy, in order to protect themselves (from Alpha Draconians that might return someday in a larger war), as well as seeking for new opportunities. they begin establishing contacts between alien civilizations as they colonize new planets, not just the major civilization like the Zolarg Empire, but also more minor ones.


The Milky Way Galaxy had changed a lot - although there had been wars, costing thousands of lives. Does the war worth anything in the end? Nobody will have an ultimate conclusion, what we know is, war, is always changing our history.




THAT IS ALL!
We also hope @bastecklein can leave some comments on the story idea so far.
I have just pushed the My Colony 2 v0.30.0 update to production on Ape Web Apps, and the patch should be hitting mobile platforms over the coming days. There are no new features or content additions in this update, this is a straight bug fix and performance tweak release, with the following corrections:

  • Fixed issue with Excavator crashing the game server
  • Fixed long standing issue where a reset in the Ape Apps Signaling server would put all online MC2 games offline
  • Fixed major performance issue related to unit harvesting
  • Fixed major server hangups that would occur during game saves
  • Improvements to news ticker scroll speed
  • Terrain objects on non-active chunks are now placed in a simulated state so they are not updated every singe game tick
  • Communications from game server to game clients are now bundled and sent only once per game tick to reduce network bandwidth and packet decompression times
  • Units that are located on non-active chunks no longer do elevation checks while moving

In addition, this update brings in the latest version of the Scroll3D library, which received several performance improvements and bug fixes during the last update to the My Tokens app.

Important to note: due to the new server-client packet bundling code, game clients v0.29.0 and lower can not connect to servers v0.30.0 or higher, so if you cannot join a game and you do not have the update yet, do not report this as a bug.

As I said, the update is now live on the Web and should be hitting everywhere else over the coming days. Sorry for the delay in getting the fixes out, let me know what further issues you find, and stay tuned for more!

https://www.apewebapps.com/my-colony-2/

#mycolony2
1y ago
Hello, as the title states, I am looking for any news or insight into when this project will be started. I would find such a tool to be invaluable when hosting MC2 servers not only from the instability of keeping the servers running in a browser, but also if I accidentally close the tab to maybe wanting to shove some onto a remote server that doesn't have a dedicated browser or GUI (although I could settle for using a text-based browser, it'd be easy enough).


Thank you
-Oil
4mo ago

(Love me BLARG and Nunez)
"Antiquitas is growing, and as the game grows we need to follow in MyColony's footsteps, to build a community were we can foster and grow." Those were the words I first used to entice the glorious people of the FFF into a partnership. Thanks to Nunez and BLARG I have been able to revamp the server and spread the word of Antiquitas (I mean what's a guy with no experience on building a server gonna ever do well?). Turns out it's attracting big servers. I made a partnership! I know from nobody to slightly elevated random dude! Awesome let's continue....

Who are the FFF?
I'm glad you totally asked! Just imagine a very big building with lots of shiny new modern stuff and then imagine it's in a average city in a average country. They are that shiny modern building! You see my analogy was terrible so if you didn't get the point of it I'll explain it. They are above average. See it doesn't sound as awesome? Thanks for judging me. Well at least I've whittled away some of the precious time before our inevitable deaths. Oh wait that's a bad thing. And as death nears closer why not spend that time in an awesome discord community? I mean death's hardly gonna be fun so squeeze all the fun out of life but share cause sharing is caring. Anyway I've talked here to long and said too little, now to be lazy and repeat what I wrote before....

We bring you Sen- you know what that's a long name, why did he choose it? The answer to both is just use SPQR (Yes I'm lazy and I'm seriously gonna use this material so stop judging me with those beady eyes) As Emperor of Rome and Cheiftan of the Tribes of Gaul I promise that we will bring Antiquitas to glory, I mean hopefully..... (What? Stop looking at me like that!)

What has SPQR got that othere Antiquitas Discord Servers haven't? A server.
This Server has 7 roles (Actually now we have 9 roles now, I could change it but then you would think I've done nothing.)! I know! It's more than 6 ( don't need to change that. Again stop looking at me like that!) ! Each Role is adapted to a purpose and of course in the future more will be added! I mean what could be better? Everyone else you say? Pffff- no. (Hahahaha not anymore old me! Or you! New me thinks that because of the FFF not everything is better! You still l think everything is better? Dangit.)

With tons of help and guidance you will love it at the SPQR (SPQR - FFF? FFF- SPQR? SPQR? FFFQPR?), with features added all the time- listen that's gonna be hard to furfill, I mean I do have to sleep.... With features added...... nearly all the time. (Jokes on you I have Nunez and BLARG and they don't live in Britain! It means more production! Mwahahahaah oh your actually still here? Well sorry you had to see that, moving on!)

"SPQR a future- wait no a past with grapes and public baths cause it's Rome not Mars"

JOIN US NOW ON DISCORD
https://discord.gg/y7N4JrS

Wait- Are you just gonna end it there?
Erm yes
What about the picture?

There
You not gonna add something original?
Nope
Add something more!
Okay! Jeez that was intense! Okay erm.... We have another bot? Oh and some people! We have 5 bots just one is secret! I just ruined it's secrecy. We are gonna add more bots! We have quirky names for them, the server is Roman themed with quirky Roman names to the channels! One of our bots has a unique level system with a cool intro to the server and leaving message.... but you will never leave right? It's awesome in to many ways! We have updates for- hold on! If you're coming to the server you won't need this information! You aren't coming? Why not? You are? Great! See you there!

(Hahahah pretend it's the right symbol Gaul, pretend you didn't miss click another similar picture that could of been the feds symbol. Thats not even meant to be a joke.... I actually can't be bothered to find it in my images....)
6y ago
@Sobeirannovaocc the game file information would be saved on the server or whichever device is acting as the server. So if somebody set up a dedicated MC2 server on their PC or on a cloud solution, the game data would only be stored on that particular device, which means that if the server operator does a backup of the data, he would be in effect doing a backup for everybody on the server as well.

You are right that a good server should also provide good performance to all clients, as all the clients really have to take care of is the rendering. And since the server does not have to process any rendering, it should be able to handle quite a bit, since it's essentially just processing a bunch of building and population statistics in the background, and keeping track of what is getting built.

Of course pathfinding would be the slowest operation that it has to do, although I am considering taking some of the emphasis off of having a ton of rovers.

Actually, I can see that there is a lot to discuss concerning MC2, so I am just going to add a new MC2 section to the forum.
4y ago
What would be such specific actions? Would a fed be intra-server or inter-server?

I don't know if in-game federations would be relevant in MC2, because a server is already like a Commonwealth (maybe even completely shared resources), so you players join a fed independently of their server? Or would the entire server join a fed? As the servers are decentralized, the latter would be rather hard to do.

The analogy we could make is:


MC 1MC 2
CityChunk ?
CommonwealthPlanet (one whole server)
In-game FederationCommunity-made (not in game) cross-server trade agreements

Beginning with My Colony 2 v0.21.0, the game has a built-in stat reporting service that developers are free to take advantage of if they wish. This thread will stay updated as features are added and changes made to how stat reporting works.

MC2 players can easily opt in to a third party stat reporting service by opening the Statistics window of their game. The World section will provide an input box where players can enter a URL (or comma separated series of URL) endpoint for game stat collection.


Once set, the endpoints selected by the user will periodically receive JSON encoded game statistics via HTTP post. It is up to the endpoint maintainer to ensure that their URL can receive cross origin HTTP requests. Endpoints can be built with whatever technology the maintainer wishes.

To help get you started with developing a stat reporting endpoint, here are some code samples in both PHP and Python:

PHP: /viewpage.php?p=43258#p43308
Python: /viewpage.php?p=43258#p43308

The base JSON data that will be sent to the endpoint via HTTP post looks like this:

{
event: "eventCode",
sid: "server-uuid",
ses: "session-uuid",
cli: "client-uuid",
gid: "game-uuid",
aun: "ape apps username",
data: {}
}

Every post will be formatted as above and contain those seven fields, event, sid, ses, cli, gid, aun and data, data generally being an object containing further data. The data object will differ depending on the event code. The rest of the fields are as follows:

fieldinfo
eventcurrent possible event codes: serverConnected, serverDisconnected, statReport
sidserver id: a unique id for the current world (aka, save game). The server ID is also visible to the player as seen in the screenshot above, meaning an endpoint operator could theoretically use it as an authentication key if they wanted to.
sessession id: every time the user opens MC2, they are assigned a new session id. can be used to track how many unique times the player has opened the game
cliclient id: assigned the first time a player opens MC2 on a device and is retained. can be used to help identify multiple worlds from the same player
gidgame identifier: For stock My Colony 2, the game identifier will always be a999fe76-ff1c-5935-e365-755089ba8982 If a total conversion mod author knows what he/she is doing, their mod should have a different identifier from the base game (this can be set in the Metadata section of the game editor). This can be used to organize data based on mod (or to easily support future games based on the MC2 engine), but it does require that the mod author properly changed the game identifier on their mod.
aunape apps username: if the player is signed in and authenticated with their Ape Apps Account, this field will be set with their username.

Every post sent to the logging endpoint will contain the above fields, so you should be able to count on them when designing endpoint logic.

The data field will be different (or even blank) depending on the event code associated with the request. Below is a reference for the data currently sent with each endpoint. You may bookmark this page for reference, as it will be updated when new data points are added.

Event: serverConnected

fieldinfo
gameDataThis is a hashed checksum of all of the game data objects loaded for the current world. This will be the exact same hash for all players playing the same version of stock My Colony 2, and will be different when mods/addons are activated. This is useful if you are developing rankings/leaderboards and want to verify that all users are playing on an even field.
worldTypeIdThis is the uuid for the game data object associated with the current world (eg Red Planet, Water World, etc).
worldTypeNameThe readable name for the current world type above, as set in the game data object (not translated).
worldNameThe name of this world (the save game, not the planet type). ex Strange New World, or whatever the player chose.
gameVersionThe host version of My Colony 2 that this session is on (ex v0.21.0)
createdTimestamp of server first creation
hostOSWhat operating system this session is running under (ex windows, android, ios, etc)
gameSessionDiffering from the top level ses session id, the gameSession id is unique every time the game file is loaded. Can be used to link stats from connection to disconnection.
universethe universe code this world is connected to


Event: serverDisconnected

fieldinfo
gameSessionDiffering from the top level ses session id, the gameSession id is unique every time the game file is loaded. Can be used to link stats from connection to disconnection.


Event: statReport

fieldinfo
bannedPlayersTotal number of players currently banned from this game.
exploredChunksHow many chunks have been generated (aka "explored") on this world.
playersObjects containing extended information for each player in the game (detailed in below table)
settledChunksNumber of chunks that contain player built structures
settlementsObjects containing extended information for each settlement in the game (detailed in below table)
totalGDPquick reference containing the sum of all settlement GDPs in world
totalMoneyquick reference containing the sum of all player money balances in world
totalPlayersquick reference containing the sum of all players in world
totalPlaytimetotal time in minutes that this server has had at least 1 player connected and playing
totalPopulationquick reference containing the sum of all settlement populations in world
utilitiesObjects containing total utility output and consumption in world


Object: statReport.players

fieldinfo
adminboolean, is this player an admin
civdata object id for the civilization this player is playing as
colorplayer color hex code
idserver assigned unique player id
joinedtimestamp for when player first joined server
levelplayer's level
modboolean, is this player a moderator
moneyplayers current balance of money
playTimehow many minutes this player has been connected and active
researchhow much research the player currently has
usernameif signed in to Ape Apps Account, this is their username. Otherwise, null


This post will continue to be updated and maintained as changes are features are added to the reporting function. Please use this thread for questions/comments/suggestions/requests, etc.
2y ago
I have an old iPad 5th Generation (released in 2017) and I was curious to see if it would be able to host a dedicated server for My Colony 2. So I added the MC2 web app to the pad's homescreen (I think the web app is superior to the ios native), and fired up my water world as a dedicated server, just to see how it would go.


Surprisingly, it runs quite well. I had to go into the iPad's settings to set it to never turn the screen off, but other than that it has run pretty good for the amount of time I spent testing it. I can't say for sure how well it will run under full load, but I have been able to successfully play the game for a couple of hours without hiccups or issues.

Considering people have been able to run MC2 servers on Raspberry Pi devices, I shouldn't have been too shocked at the success. Ideally you would probably want a wired ethernet connection for running a dedicated server, but obviously it is not necessary. I do have a newer replacement for this iPad coming in the mail soon, and once that arrives, I think I am going to set this old iPad up as a full time dedicated MC2 server (bringing the total number of full time MC2 servers I have running at my house up to 5).

This 5th generation iPad has a paltry 2 GB of RAM and the dated Apple A9 CPU, so this just goes to show how slim the system requirements are for a functional MC2 server. Now it might buckle under pressure if you get a lot of players signed in at once, but I think for many people, this is probably a viable option. So if you have an old Apple or Android tablet sitting around the house that you don't use anymore, and have ever thought about spinning up a dedicated MC2 server, then go ahead and see if your old tablet can handle the task. It might work better than you expect!

My Colony 2 Web App: https://www.apewebapps.com/my-colony-2/

#mycolony2
1y ago
The moment everyone has been waiting for has finally arrived, the release of My Colony v0.50.0 - the fighting 50!

50 is a nice round number, but is the update nice and round as well? Let's take a look at what is new and what has changed:

My Colony v0.50.0 Changelog

New Stuff
  • New Structures: Bloodletting Station, Spire of Knowledge, Quantum Sugar Cloner, Uranium Silo
  • New Unit: Ancientbug
  • New premium content: Orb of Radiance
Changes
  • GBT: Added cooldown time between GBT trades, increased transaction civics costs, GBT contracts with lot sizes above your trading capacity no longer appear, You can no longer trade in lot sizes above your gifting capacity, The server can now limit the size and price of your trades.
  • Storage Limits added: Aluminum, Uranium, Gold, and Clay now have storage requirements.
  • Resource Decay: Resources left sitting outside of storage will now decay.
  • Collect All: You can now collect all gifts at once with a single click.
  • Message Reporting: There is a new in-game mechanism to report abusive PM's.
  • Rebalancing: Antanium Synthesis Lab and Triantanium Refinery now offer a small amount of storage. Money generation from the Investment Bank and Clothing Sweatshop has been reduced.
  • Tech Window: Each available tech now shows what new structures is contributes to.
  • Online Colonies: Colonies played in online mode now require an internet connection to play.
  • Right Click: Mouse users can now quickly move vehicles using the right click button.
  • UI Changes: A bunch of small UI improvements carried over from Antiquitas v1.0.0 were added.
  • Galactic Emperor Tax: Possibly the last tax the emperor will ever collect!
Additional Notes

I had intended this update to be a big Zolarg content update, but instead was required to spend most of my time making changes to the GBT and it's associated API. As some will know, I've never really been thrilled about having the GBT in the game, and am even less thrilled in having to micromanage it. Ideally people would be able to conduct themselves as adults and treat the GBT system with respect, but I'm afraid that is not what has transpired. The actions of a few bad apples have thus forced my hand to really crack down on the Galactic Board of Trade, and several changes have now been implemented to that effect.

The first issue was involving the actual server API which the game contacts in order to do trade deals on the GBT. I threw the script together quickly to facilitate an in-game trading feature and didn't put any effort into security. This made it easy to exploit. Since the vast majority of players play in offline mode, I never gave it much thought, but over the last week, one of our players with a lot of free time on his hands really took it upon himself to hit the API hard and did a significant amount of damage to the online in-game economy. New security measures have been added, but they are not present in older versions of the game, and the server API cannot be fully patched without cutting off access for older versions of the game. For this reason, in one weeks time, access to online play from any version of My Colony older than v0.50.0 will be disabled. So if you play online, please update as soon as the release is available on your platform.

Here is also a first and only warning on this matter. Every call to the API is now logged and any user taking advantage of any exploit will be permanently banned from the service altogether. All of your colonies will be banned as will any device that you have been logged as having connecting to the service with. I do not care if you paid for premium or not, you can still play the game offline.

Other issues with the GBT involve using it for storage or using it as a means of transporting large amounts of goods from one colony or another. I don't consider this an exploit, but new measures have been put in place to block it from being used in this manner. The purpose of the GBT is to facilitate trades between colonies and nothing more. Using it for other purposes interferes with the pricing structure of the market and has an impact on the in-game economy for any player who plays the game online.

There is a new Galactic Trade Authority bot that monitors all trades on the GBT and logs trades which are considered grossly out of step with the current market realities. There is no auto-banning or "three strikes your out" feature associated with this. Everything is logged and will be reviewed by a human moderator (me). If it is decided that you are taking advantage of the system, your access to the GBT may be blocked.

There was also a new Galactic Emperor tax levied. This is the Emperor's highest tax ever, coming in at 95% of everything over $750m, and 100% of everything over $10b. This was imposed because of the API hacker who auto-purchased every contract on the market, leaving some players with an ungodly amount of money. If you got your money legitimately, then I am sorry, but this is the way it is. You can thank the abusers for the tax.

The good news is that as of this update, the resources of an individual colony can now be edited directly by the server if need be. For that reason, there probably will not have to be anymore global galactic emperor taxes levied. Because of this change though, all colonies in online mode are now required to have a constant internet connection. Really, this should have been a requirement from the start. If you cannot be constantly online, then consider playing the game in offline mode.

There have also been issues with users sending abusive messages through the in-game messaging system, including threats and other forms of harassment. To combat this I have added a new reporting feature which you can see in all new mail messages that arrive. Message reports will be reviewed by a human, and if you are conducting yourself in a manner which I do not feel is right for the game, then you will be banned from the service.

Anyway, like I said before, I really hate having to be a nanny here for the game. I'd much rather spend my time adding new content and features. If you don't like the new changes and don't want to see any more controls added in the future, then please encourage your fellow players to use their heads when playing the game. The API isn't there for my own benefit, I'd just as soon get rid of online play altogether, as it caused more headache than it is worth. The feature exists entirely for the benefit of those who want to play online, but if it can't be handled properly I have no problem taking it away. The vast majority of users play offline and wouldn't even notice if it was removed.

On to better things, you will notice some UI improvements that have been carried over from Antiquitas (which is now available and you should download (and 5 star) from here: http://apps.ape-apps.com/antiquitas/ ). Zolarg also received a few new things, with more coming in the next release. There is a new Ancientbug which is their version of the E.T. Builder, and their first alien structure is the Quantum Sugar Cloner which is a vast improvement over the Sugar Farm and takes up far less room. Insectoids will be getting a lot more alien content in the next few updates.

Also, there are only a couple of resources left now that do not require storage, and that will be soon changing. Keep that in mind and plan your colonies accordingly.

Between now and the end of the year, the updates are going to focus on Zolarg content. Once 2018 hits, the Reptilians will be making their way into My Colony, and the way they operate is going to be a bit different than the other races. They will make the difference between Humans and Zolarg seem insignificant. But until then, enjoy the update as there is still a lot more to come!
6y ago
STV, if you're unaware, is a custom MC2 news server I've been working on over the past few months. Recently, I rewrote the entire thing from scratch to fix a couple fundamental issues and structuring, so then I decided to move the rewrite to a different domain altogether for ease of expansion in the future. The existing STV will still be hosted indefinitely, but any future updates to the news/backend will be exclusive to the rewrite.

ok it dead






(contrary to its name, it's just a newsfeed)
1y ago
Today I am putting the final touches on My Colony v1.5.0 which should be going out to all platforms soon. This release is more of a quality of life and engine improvement update, which are generally my least favorite to work on because they take forever to get done and at the end it doesn't look like you've really accomplished anything. This is as opposed to a content update where I just spend a day drawing 10 new buildings and then everybody thinks I made a huge update!

Still though, there was important work needing to be done to the My Colony engine, and it received quite a bit. I have been promising Mass Transit for a while now, and I started working on it for this release, although it ended up being just a little more complicated than it was when I was mapping it out in my head. I have implemented a small part of it in this update to see how it works in the wild, and if it doesn't screw everything up it will be greatly expanded in the updates ahead. Don't worry, if it does screw something up, from my testing, the screw up will be in the favor of the player, but I will talk about Mass Transit more a bit later. First let's take a look at what's been added since the last release!

First of all, @Sobeirannovaocc a while ago had provided me with an initial batch of Chinese language translations for the game that I have finally added in, which I believe were worked on by @GeneralWadaling and perhaps others (maybe one of them will elaborate in the comments who all provided the work), and I know a lot of people are going to be grateful to have these new translations in the game. So a big thank you to everybody who worked on the Chinese translations for this release!

If you play on a desktop class device using a mouse, the Display Mode popup has been replaced by a smaller context menu, which I felt was more appropriate on a desktop device.


Likewise, right-clicking on an option in the build sidebar now gives you a new "Bookmark" option, which allows you to add your favorite buildings to a new Bookmarks list, which will appear as an option in your build categories dropdown. This way you can create your own custom list of buildings that you like best. Bookmarks are saved on a per-city basis.


I know there is an issue , recently reiterated to me by @Electrogamer1943 , where iPhones can not bring up the long-press context menus in the game, due to their 3D Force Touch gesture. I put in a little code that might mitigate the issue, but at the time of this writing I did not have an iPhone on hand to test it out yet, so I give it a 50/50 chance of being fixed. If it's not, I will just have to switch to a double-tap style gesture for iPhones.

Moving right along. Ever since Regions were created, there has been an issue where people can not back up Region save files, since behind the scenes a Region is broken out into multiple save files, and the existing backup utility would only export the regional overview map, making it impossible to backup a region on most devices. This issue has now been addressed, and I have now added two new ways to backup your game files in this update.

The first new method is in the Game Statistics screen, down in the Game Data tab. You will see a new "Backup Copy" option at the bottom which will export a backup of your save file to your computer or device. If you are in a region, you must do this from the Region Overview map. Once you have your backup, you can re-import it into the game from the Game Data menu on the title screen.

Now if you are playing on a tablet or desktop, there is another new interface for managing your game data. When you click on Load Colony at the title screen, you will be presented with the new Load Colony window.


From this window, you can manage all of your saved files, see detailed information about each, conduct backups and delete old games. You also have hyperlink access to your colony's websites on both my-colony.com and on Coloniae. Keep in mind that the extended information for your save files will not show up until you have opened them at least once using v1.5.0 or newer.

Next up, the Auto Trade feature has been completely reworked in this release, and is no longer directly tied to the Galactic Board of Trade. Auto Trade now conducts resource Imports and Exports, at the prices you would normally get from buildings like the Galactic Freight or the Star Gate. While on the surface this does make it a worse deal as the Import/Export features come with massive fees and penalties, for many resources it will actually be better for the player, as a large percentage of the Auto Trade contracts on the GBT had previously gone unsold.

This will also go a long way towards cleaning up the GBT, since it has become so loaded with Auto Trade contracts set in unusual quantities, that it was difficult to find anything real.

Switching Auto Trade to the Import/Export facility did bring another change though, in the form of Global Resource Pools on the My Colony server. This facility is largely invisible to the player, but does have an impact on the overall resource price. Whenever a resource is exported in the game, the quantity is added to the Global Resource Pool on the server. Likewise, an import reduces the quantity of the global pool. The server watches the levels of these new global pools and uses that information to calculate the demand of various resources, and can make pricing adjustments accordingly. The server also has the ability to purchase contracts on the GBT if a resource pool is empty, although to prevent gaming of the system it will not purchase any contracts that are not priced in a range that the server sees as reasonable.

The new trading system might potentially have a large impact on the GBT and on pricing in general (hopefully a positive impact) so I will be monitoring it over the coming days/weeks to see what tweaks are needed. This new system can largely be tweaked from the server, so any fix should be able to be implemented without requiring a game update.

To go along with this change, the Import/Export feature has been added directly to the GBT, and as long as you have a GBT building you can now import and export resources at maximum quantity from one centralized location.


Now let's talk a bit more about Mass Transit. The ultimate goal is to have transit capabilities within a city and across a region. For this update, I have started with the Regional transit first, as it has the larger implication to the game engine and requires the most work.

For this first release of the feature, Human colonies get a new structure called the Regional Busing Authority, which is unlocked with the new Public Transportation technology. As of this update, you can build this structure on a non-region game, but it won't really do anything. On a region game though, each bus stop adds to your city's regional transit capacity (in this case, each stop adds 250). This capacity allows your citizens to travel between neighboring cities on the regional map for work. So if you have a transit capacity of 250 in your city, it means that 250 citizens can work in a different city, and also 250 citizens can work in your city from a neighboring city. Note that it is 250 both ways in separate pools, so the total citizens moving back and forth can be 500.

When the game decided what jobs are going to be filled, they all go to local residents first, the same as it has always worked. However, when jobs are left unfilled, for whatever reason, the game looks at which neighboring cities have unemployed workers available. If unemployed workers are available, the jobs will fill up from those available workers, up to the point that your transit capacity is used up, provided there are bus stops in range of your worksites. Likewise, if you have unemployed workers, they will look at the jobs available in neighboring cities and fill them up to the point that your outgoing transit capacity is used up, provided there are bus stops in range of their houses.

Right now the bus stop range is super high, so I think one bus stop pretty much covers any small or medium sized map, which is all you have in a region. I don't expect it to stay like that though, so bus stops should ideally be placed throughout the city.

The Economy tab on the Game Statistics window will give you some idea of what is going on with your mass transit. Under the number of total unemployed, you will now see a Remote Workers stat, which tells you how many of your people are working in neighboring cities. Likewise, in the pie graph below, the number of filled jobs is now broken down into Local Workers and Foreign Commuters, telling you how many of your jobs are being filled by workers from neighboring cities.


There is still a lot of work to be done on the Mass Transit, but it actually has pretty big implications for the way Region games are played, as it is now possible to separate out your housing from your industry. It still needs to be refined, and I need to add the ability for colonists to actually migrate from one city to the next, and that is coming soon.

To go along with Mass Transit, I have added the capability for buildings to add non-player Decorative Units to the game. You can see this when you build a bus stop, you will now see small bus rovers driving around your town.


These units do not actually do anything, they just serve to make your city look more alive. I plan on adding other kinds of decorative units soon, such as police cars and ambulances.

So that about wraps it up for this release. The next update will continue to build out the Mass Transit, bringing it to other races and making it work within a city itself. Beyond that, I also need to do a complete overhaul of Multiplayer Regions, which are barely functional at the moment. This is the next item on the list after I finish Mass Transit.

Thank you all for playing the game, keep the suggestions coming, and let me know what issues you find in this release!
4y ago
Yes @Sobeirannovaocc I was thinking that too. There should be a standalone server application, for no other reason than the fact that you might want to have a server running on the same computer you are playing the game on.

It might make sense for both the full My Colony 2 game and the standalone server game to check with the Ape Apps server on startup and download the latest edition of the server code (if a connection is available, of course) so that some fixes to the game can actually be made without having to publish a full patch. And the standalone server console would not have to be recompiled and released with every update.
4y ago
I don't know how moving the rover works exactly, but couldn't the server send the list of successive coordinates in one batch after figuring out the path? Or something more compressed like number of tiles to drive, then turn right, etc.

But yeah as you said best solution would probably be to do pathfinding on the client side.

  1. Construction rover (transporting resources back and forth storage) is anywhere on the map
  2. Player selects a building and places anywhere on the map (somewhere I'll call construction site), hits "start building" button
  3. Client calculates the path and rover goes to the nearest storage building of the construction site
  4. Once it arrived, client calculates path from storage to construction site
  5. And only then, client says to server "yo, please start building sequence of *this rover* from *this storage building* to *this construction site* with *this path*"
  6. Server computes commute time (T1) and resource drop times (T2). meanwhile, rover goes from storage with a cargo (simulated) to the construction site
  7. After T1, client starts unloading the rover cargo.
  8. After T1+T2, server actually drops cargo from the resources and increments building construction by whatever %, and tells client to start a new commute from construction site to storage
  9. server counts to 2T1+T2 and then drops resources increments building construction...
  10. etc.

Does that make sense? Would it work that way?? Problem is the "meanwhile"... The rover might do small jumps if the client or server is laggy. Could wait for it though before entering step 9.
Welcome
Ape Apps, LLC is an independent software development company founded in 2010 by Brandon Stecklein. Over the years, Ape Apps has published over 400 apps and games across various platforms. You can get in touch with Brandon on Twitter or by leaving a post on his wall @bastecklein
App of the Day