Giter VIP home page Giter VIP logo

locus-bundle-system-v2's Introduction

Locus Bundle System For Unity

Discord

Unity Forum Thread

AssetBundle system from unity5 will be obsolute in future.
Unity Addressables system provides very flexible implementation that fits on any project.
But for my experience, there's huge learning curve to get into it.
And also, there's no synchronized api which is familier to Resource.Load Users.

So here is my own bundle system that also utilizes Scriptable Build Pipline and it provides synchronized API.

This is build up to support very common senarios I've experienced.
But you can extend this on purpose.(just fork and make modifications)


Synchronized API Support!

Main pros of Unity Addressables system is memory management.
It unloads bundle according to bundle's reference count.
So you don't need to call Resources.UnloadUnusedAssets() function which hangs your gameplay.

Mine support same functionality as well as synchronized api.
This is done by caching WWWRequest.
Note that caching assetbundles eats some memory(but quite low)

When a assetbundle's reference count is zero.
It fires another assetbundle request and cache up until assetbundle can be unloaded and swapped.


Folder based Bundle & Local Bundles

Like using Resources folder, you can specify folder that you want to make bundle(there's no bundle name in each asset).
It's very comfortable for users that loves organizing contents using Folders like me.

And using local bundles, you can ship part of your bundles in player build.
It also can be changed later on by patching.

Introduction Video

Check this out

How to Setup

Assets -> Create -> Create Bundle Build Setting

Create AssetBundleSetting ScriptableObject using Context Menu.
This object can be anywhere under Assets folder

Setup Bundle Informations

BundleSettingInspector

  1. Bundle List

    • BundleName : AssetBundle's name which you should provide when loading object from AssetBundles.
    • Included In Player : if true, this bundle will be shipped with player(also can be updated).
    • Folder : Drag or select folder, assets under that folder will be packed into this bundle.
    • Include Subfolder : if true, will search assets from subfolders recurviely, your asset name when loading will be [SubFolderPath]/[AssetName]
    • Compress Bundle : if true, it will use LMZA compression. otherwise LZ4 is used. Shipped local bundles will be always LZ4
  2. Output Folder and URL

    • Specify your Local/Remote bundle build output path here, also provide Remote URL for remote patch.
  3. Editor Functionalities

    • Emulate In Editor : Use and Update actual assetbundles like you do in built player.
    • Emulate Without Remote URL : if true, remote bundle will be loaded from remote output path, useful when your CDN is not ready yet.
    • Clean Cache In Editor : if true, clean up cache when initializing.
    • Force Rebuild : Disables BuildCache (When Scriptable Build Pipline ignores your modification, turn it on. It barely happens though)
  4. Useful Utilities.

    • Cache Server : Cache server setting for faster bundle build(you need seperate Cache server along with asset cache server)
    • Ftp : if you have ftp information, upload your remote bundle with single click.

Multiple Settings

FindActiveSetting
ActiveSetting
Multiple AssetBundleSettings are supported.
You can set one of them as your active AssetBundleBuildSetting(Saved in EditorPref).
You can find active AssetBundleBuildSetting in menu.

Auto Optimize Your Bundles

This system support automated assetbundle optimization.
Which means, it automatically findout duplicated top-most assets in your bundle dependency tree,
and make them into seperated shared bundles. By using this, you can easily manage your dependencies, and there will be no duplicated assets included in your assetbundles.
image
If you find out execpted shared bundles are created, define a bundle warp them up, it'll automatically disappeared in next build.
image

Folders in Packages

This system can handle assets in Packages Folder.
If you can drag folder from there, It'll be fine.(development/local packages)
But if you dragging is freezed, just copy and paste it's path.
CapturePath
PasteButton

Bundled Asset Path

This is a utility struct that helps you save some time to write actual path yourself.

BundleSystem.BundledAssetPath MyAsset;

Honeycam 2020-12-19 23-25-54

API Examples


Initialization Example

    IEnumerator Start()
    {
        //show log message
        BundleManager.LogMessages = true;

        //show some ongui elements for debugging
        BundleManager.ShowDebugGUI = true;
        
        //initialize bundle system & load local bundles
        yield return BundleManager.Initialize();

        //get download size from latest bundle manifest
        var manifestReq = BundleManager.GetManifest();
        yield return manifestReq;
        if (!manifestReq.Succeeded)
        {
            //handle error
            Debug.LogError(manifestReq.ErrorCode);
        }

        Debug.Log($"Need to download { BundleManager.GetDownloadSize(manifestReq.Result) * 0.000001f } mb");

        //start downloading
        var downloadReq = BundleManager.DownloadAssetBundles(manifestReq.Result);
        while(!downloadReq.IsDone)
        {
            if(downloadReq.CurrentCount >= 0)
            {
                Debug.Log($"Current File {downloadReq.CurrentCount}/{downloadReq.TotalCount}, " +
                    $"Progress : {downloadReq.Progress * 100}%, " +
                    $"FromCache {downloadReq.CurrentlyLoadingFromCache}");
            }
            yield return null;
        }
        
        if(!downloadReq.Succeeded)
        {
            //handle error
            Debug.LogError(downloadReq.ErrorCode);
        }
        //start to game
    }


API Examples

    IEnumerator ApiSamples()
    {
        //Sync loading
        {
            var loaded = BundleManager.Load<Texture2D>("Texture", "TextureName");
            //do something
            BundleManager.ReleaseObject(loaded);
        }

        //Async loading
        {
            var loadReq = BundleManager.LoadAsync<Texture2D>("Texture", "TextureName");
            yield return loadReq;
            //do something
            loadReq.Dispose();
        }
        
        //Asnyc loading with 
        {
            //use using clause for easier release
            using (var loadReq = BundleManager.LoadAsync<Texture2D>("Texture", "TextureName"))
            {
                yield return loadReq;
                //do something
            }
        }

        //Instantiate Sync
        {
            var loaded = BundleManager.Load<GameObject>("Prefab", "PrefabName");
            //do something
            var instance = BundleManager.Instantiate(loaded);
            BundleManager.ReleaseObject(loaded);
        }

        //Instantiate Async with using clause(which is recommended, or just dispose request)
        {
            using (var loadReq = BundleManager.LoadAsync<GameObject>("Prefab", "PrefabName"))
            {
                yield return loadReq;
                var instance = BundleManager.Instantiate(loadReq.Asset);
            }
        }

        //load scene
        {
            //Sync
            BundleManager.LoadScene("Scene", "SomeScene", UnityEngine.SceneManagement.LoadSceneMode.Single);
            //Async
            yield return BundleManager.LoadSceneAsync("Scene", "SomeScene", UnityEngine.SceneManagement.LoadSceneMode.Single);
        }
    }


Editor Test Script

      [Test]
      public void BundleTest()
      {
         //call this bofore you call bundle manager api while not playing
         //while not playing, BundleManager always utilies AssetDatabase
         BundleSystem.BundleManager.SetupApiTestSetting();
         Assert.IsTrue(BundleSystem.BundleManager.IsAssetExist("LocalScene", "Inner/TitleScene"));
         Assert.IsTrue(BundleSystem.BundleManager.IsAssetExist("Sprites", "MySprite"));
      }

Installation

Install via Git URL

Use Unity Package Manager to use it as is.
To update to latest version, Open up your Packages/manifest.json and delete following part

"lock": {
    "com.locus.bundlesystem": {
      "revision": "HEAD",
      "hash": "7e0cf885f61145eaa20a7901ef9a1cdc60d09438"
    }
  }

If you want to modify, clone this repo into your project's Packages folder.

License

MIT

locus-bundle-system-v2's People

Contributors

locus84 avatar favoyang avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.