If you want to use Cocos Creator to make some larger-scale games, resource management is a problem that must be solved. As the game progresses, you may find that the game's memory usage only increases and never decreases, even if you currently only use very few resources and use cc.loader.release to release previously loaded resources, but most of the resources used before will remain in the memory! Why is this happening? Problems with resource management in Cocos CreatorResource management mainly solves three problems: resource loading, resource search (use), and resource release. The main issue to be discussed here is the issue of resource release. This issue seems very simple and is indeed very simple in Cocos2d-x, but it becomes complicated in js because it is difficult to track whether a resource can be released. In Cocos2d-x, we use reference counting. When the reference count is 0, we just need to maintain the reference count. In addition, our resource management in Cocos2d-x is relatively decentralized. The engine level only provides singletons such as TextureCache and AudioManager to manage certain specific resources. Most of the resources need to be managed by ourselves. In cocos creator, our resources are uniformly managed by cc.loader, and prefab is used extensively. The complex reference relationship between prefab and various resources increases the difficulty of resource management. Resource Dependencies Resource A may depend on resources B, C, and D, and resource D depends on resource E. This is a very common resource dependency situation. If we use Every loaded resource will be put into cc.loader's _cache, but cc.loader.release only releases the passed in resource without considering resource dependencies. If you are interested in the resource loading process behind cc.loader, you can refer to: https://www.cnblogs.com/ybgame/p/10576884.html If we want to release the dependent resources together, Cocos Creator provides a clumsy method, Although this method can release resources, it may release resources that should not be released. If there is a resource F that depends on D, this will cause F resource to not work properly. Because the cocos creator engine did not maintain the resource dependencies well, we did not know that F still depended on us when we released D. Even if there is no F dependency, we are not sure whether D can be released. For example, we call cc.loader to load D, and then load A. At this time, D has been loaded and A can be used directly. But if D is released when A is released, this is not what we expected. What we expect is that when we do not explicitly release D, D should not be automatically released along with the release of other resources. You can test it simply by opening Chrome's developer mode and typing in the Console panel. If it is an old version of cocos creator, you can dump all textures in cc.textureCache, and the new version removes textureCache, but we can type cc.loader._cache to view all resources. If there are too many resources and you only care about the quantity, you can enter Object.keys(cc.loader._cache).length to view the total number of resources. We can dump once before loading the resources, once after loading, and once after releasing them to compare the cache status in cc.loader. Of course, you can also write some convenient methods, such as dumping only images, or dumping the differences between the previous dump and the previous one. Resource UsageIn addition to the problem of resource dependency, we also need to solve the problem of resource usage. The former is the problem of resource organization within cc.loader, and the latter is the problem of resource usage in application layer logic. For example, if we need to release a resource when an interface is closed, we will also face the problem of whether to release it, such as whether another interface that has not been closed uses the resource? If the resource is used elsewhere, it should not be released! ResLoaderHere I designed a ResLoader to solve the problem that cc.loader has not solved. The key is to create a CacheInfo for each resource to record the resource's dependency and usage information, so as to determine whether the resource can be released. Use ResLoader.getInstance().loadRes() to replace cc.loader.loadRes(), and ResLoader.getInstance().releaseRes() to replace cc.loader.releaseRes(). For dependencies, ResLoader will automatically establish a mapping when resources are loaded, and will automatically cancel the mapping when resources are released. It will also detect whether the unmapped resources can be released, and then follow the release logic. For usage, a use parameter is provided to distinguish where the resource is used and whether the resource is used elsewhere. When a resource has no dependencies on other resources and is not used by other logic, the resource can be released. /** * Resource loading class* 1. Automatically record the reference relationship after loading is completed, and record the reverse dependency according to DependKeys* 2. Support resource usage. For example, if a certain opened UI uses resource A, and resource B is released elsewhere, resource B references resource A. If there is no other resource that references resource A, the release of resource A will be triggered. * 3. Ability to safely release dependent resources (a resource is referenced by multiple resources at the same time, and the resource will be released only when all other resources are released) * * 2018-7-17 by Bao Ye*/ // Resource loading processing callback export type ProcessCallback = (completedCount: number, totalCount: number, item: any) => void; // Resource loading completion callback export type CompletedCallback = (error: Error, resource: any) => void; // Reference and use structure interface CacheInfo { refs: Set<string>, uses: Set<string> } // LoadRes method parameter structure interface LoadResArgs { url: string, type?: typeof cc.Asset, onCompleted?: CompletedCallback, onProgess?: ProcessCallback, use?: string, } // ReleaseRes method parameter structure interface ReleaseResArgs { url: string, type?: typeof cc.Asset, use?: string, } // Compatibility processing let isChildClassOf = cc.js["isChildClassOf"] if (!isChildClassOf) { isChildClassOf = cc["isChildClassOf"]; } export default class ResLoader { private _resMap: Map<string, CacheInfo> = new Map<string, CacheInfo>(); private static _resLoader: ResLoader = null; public static getInstance(): ResLoader { if (!this._resLoader) { this._resLoader = new ResLoader(); } return this._resLoader; } public static destroy(): void { if (this._resLoader) { this._resLoader = null; } } private constructor() { } /** * Get a resource item from cc.loader * @param url query url * @param type The resource type to query*/ private _getResItem(url: string, type: typeof cc.Asset): any { let ccloader: any = cc.loader; let item = ccloader._cache[url]; if (!item) { let uuid = ccloader._getResUuid(url, type, false); if (uuid) { let ref = ccloader._getReferenceKey(uuid); item = ccloader._cache[ref]; } } return item; } /** * Parameter preprocessing of loadRes method */ private _makeLoadResArgs(): LoadResArgs { if (arguments.length < 1 || typeof arguments[0] != "string") { console.error(`_makeLoadResArgs error ${arguments}`); return null; } let ret: LoadResArgs = { url: arguments[0] }; for (let i = 1; i < arguments.length; ++i) { if (i == 1 && isChildClassOf(arguments[i], cc.RawAsset)) { // Determine whether it is the first parameter type ret.type = arguments[i]; } else if (i == arguments.length - 1 && typeof arguments[i] == "string") { // Determine whether it is the last parameter use ret.use = arguments[i]; } else if (typeof arguments[i] == "function") { // Otherwise it's a function if (arguments.length > i + 1 && typeof arguments[i + 1] == "function") { ret.onProgess = arguments[i]; } else { ret.onCompleted = arguments[i]; } } } return ret; } /** * Parameter preprocessing of releaseRes method */ private _makeReleaseResArgs(): ReleaseResArgs { if (arguments.length < 1 || typeof arguments[0] != "string") { console.error(`_makeReleaseResArgs error ${arguments}`); return null; } let ret: ReleaseResArgs = { url: arguments[0] }; for (let i = 1; i < arguments.length; ++i) { if (typeof arguments[i] == "string") { ret.use = arguments[i]; } else { ret.type = arguments[i]; } } return ret; } /** * Generate a resource using Key * @param where where to use, such as Scene, UI, Pool * @param who user, such as Login, UIHelp... * @param why Reason for use, custom... */ public static makeUseKey(where: string, who: string = "none", why: string = ""): string { return `use_${where}_by_${who}_for_${why}`; } /** * Get resource cache information * @param key The resource url to be obtained */ public getCacheInfo(key: string): CacheInfo { if (!this._resMap.has(key)) { this._resMap.set(key, { refs: new Set<string>(), uses: new Set<string>() }); } return this._resMap.get(key); } /** * Start loading resources * @param url resource url * @param type resource type, default is null * @param onProgess loading progress callback* @param onCompleted loading completion callback* @param use resource usage key, generated according to the makeUseKey method*/ public loadRes(url: string, use?: string); public loadRes(url: string, onCompleted: CompletedCallback, use?: string); public loadRes(url: string, onProgess: ProcessCallback, onCompleted: CompletedCallback, use?: string); public loadRes(url: string, type: typeof cc.Asset, use?: string); public loadRes(url: string, type: typeof cc.Asset, onCompleted: CompletedCallback, use?: string); public loadRes(url: string, type: typeof cc.Asset, onProgess: ProcessCallback, onCompleted: CompletedCallback, use?: string); public loadRes() { let resArgs: LoadResArgs = this._makeLoadResArgs.apply(this, arguments); console.time("loadRes|"+resArgs.url); let finishCallback = (error: Error, resource: any) => { // Reverse association reference (mark all referenced resources with the mark that this resource references them) let addDependKey = (item, refKey) => { if (item && item.dependKeys && Array.isArray(item.dependKeys)) { for (let depKey of item.dependKeys) { //Record that the resource is referenced by me this.getCacheInfo(depKey).refs.add(refKey); // cc.log(`${depKey} ref by ${refKey}`); let ccloader: any = cc.loader; let depItem = ccloader._cache[depKey] addDependKey(depItem, refKey) } } } let item = this._getResItem(resArgs.url, resArgs.type); if (item && item.url) { addDependKey(item, item.url); } else { cc.warn(`addDependKey item error1! for ${resArgs.url}`); } // Add a reference to itself if (item) { let info = this.getCacheInfo(item.url); info.refs.add(item.url); // Update resource usage if (resArgs.use) { info.uses.add(resArgs.use); } } // Execution completion callback if (resArgs.onCompleted) { resArgs.onCompleted(error, resource); } console.timeEnd("loadRes|"+resArgs.url); }; // Predict whether the resource has been loaded let res = cc.loader.getRes(resArgs.url, resArgs.type); if (res) { finishCallback(null, res); } else { cc.loader.loadRes(resArgs.url, resArgs.type, resArgs.onProgess, finishCallback); } } /** * Release resources * @param url The url to be released * @param type resource type* @param use resource usage key to be released, generated according to the makeUseKey method*/ public releaseRes(url: string, use?: string); public releaseRes(url: string, type: typeof cc.Asset, use?: string) public releaseRes() { /**Do not release resources temporarily*/ // return; let resArgs: ReleaseResArgs = this._makeReleaseResArgs.apply(this, arguments); let item = this._getResItem(resArgs.url, resArgs.type); if (!item) { console.warn(`releaseRes item is null ${resArgs.url} ${resArgs.type}`); return; } cc.log("resloader release item"); // cc.log(arguments); let cacheInfo = this.getCacheInfo(item.url); if (resArgs.use) { cacheInfo.uses.delete(resArgs.use) } this._release(item, item.url); } // Release a resource private _release(item, itemUrl) { if (!item) { return; } let cacheInfo = this.getCacheInfo(item.url); // Remove the reference to itself cacheInfo.refs.delete(itemUrl); if (cacheInfo.uses.size == 0 && cacheInfo.refs.size == 0) { // Dereference let delDependKey = (item, refKey) => { if (item && item.dependKeys && Array.isArray(item.dependKeys)) { for (let depKey of item.dependKeys) { let ccloader: any = cc.loader; let depItem = ccloader._cache[depKey] this._release(depItem, refKey); } } } delDependKey(item, itemUrl); //If there is no uuid, release the url directly if (item.uuid) { cc.loader.release(item.uuid); cc.log("resloader release item by uuid :" + item.url); } else { cc.loader.release(item.url); cc.log("resloader release item by url:" + item.url); } } } /** * Determine whether a resource can be released * @param url resource url * @param type resource type* @param use resource usage key to be released, generated according to the makeUseKey method*/ public checkReleaseUse(url: string, use?: string): boolean; public checkReleaseUse(url: string, type: typeof cc.Asset, use?: string): boolean public checkReleaseUse() { let resArgs: ReleaseResArgs = this._makeReleaseResArgs.apply(this, arguments); let item = this._getResItem(resArgs.url, resArgs.type); if (!item) { console.log(`cant release,item is null ${resArgs.url} ${resArgs.type}`); return true; } let cacheInfo = this.getCacheInfo(item.url); let checkUse = false; let checkRef = false; if (resArgs.use && cacheInfo.uses.size > 0) { if (cacheInfo.uses.size == 1 && cacheInfo.uses.has(resArgs.use)) { checkUse = true; } else { checkUse = false; } } else { checkUse = true; } if ((cacheInfo.refs.size == 1 && cacheInfo.refs.has(item.url)) || cacheInfo.refs.size == 0) { checkRef = true; } else { checkRef = false; } return checkUse && checkRef; } } Using ResLoaderResLoader is very easy to use. Here is a simple example. We can click the dump button to view the total number of current resources. Click cc.load and cc.release and dump them once. We can find that there are 36 resources at the beginning, 40 resources after loading, and 39 resources after releasing. Only one resource is released. If we use ResLoader for testing, we will find that there are only 34 resources after release. This is because the resources of the previously loaded scene are also dependent on the test resources, so these resources are also released. As long as we use ResLoader to load and unload resources, there will be no resource leakage problem. Sample code: @ccclass export default class NetExample extends cc.Component { @property(cc.Node) attachNode: cc.Node = null; @property(cc.Label) dumpLabel: cc.Label = null; onLoadRes() { cc.loader.loadRes("Prefab/HelloWorld", cc.Prefab, (error: Error, prefab: cc.Prefab) => { if (!error) { cc.instantiate(prefab).parent = this.attachNode; } }); } onUnloadRes() { this.attachNode.removeAllChildren(true); cc.loader.releaseRes("Prefab/HelloWorld"); } onMyLoadRes() { ResLoader.getInstance().loadRes("Prefab/HelloWorld", cc.Prefab, (error: Error, prefab: cc.Prefab) => { if (!error) { cc.instantiate(prefab).parent = this.attachNode; } }); } onMyUnloadRes() { this.attachNode.removeAllChildren(true); ResLoader.getInstance().releaseRes("Prefab/HelloWorld"); } onDump() { let Loader:any = cc.loader; this.dumpLabel.string = `Current total number of resources: ${Object.keys(Loader._cache).length}`; } } You can see that in the above example, the node is removed first and then released. This is the correct way to use it. What if I release it directly without removing it? ? Because the texture is released, Cocos Creator will continue to report errors in the subsequent rendering. ResLoader is just a foundation. When using ResLoader directly, we don't need to worry about resource dependencies, but we still need to worry about resource usage. In actual use, we may want the resource life cycle to be the following:
We can implement a component hanging on the object. When we write logic in the object or other components of the object and load resources, we use this resource management component to load them, and this component will maintain the release of resources. The interface and scenes are also similar. . The project code is located at: https://github.com/wyb10a10/cocos_creator_framework. You can view it by opening the ResExample scene in the Scene directory. The above is the detailed content of resource management of CocosCreator general framework design. For more information about resource management of CocosCreator framework design, please pay attention to other related articles on 123WORDPRESS.COM! You may also be interested in:
|
<<: How to delete table data in MySQL
>>: How to use Docker-compose to deploy Django applications offline
Table of contents 1. Write an HTML, the first Vue...
This article example shares the specific code of ...
When insert into employee values(null,'張三'...
Table of contents Method 1: The simplest way to s...
If you’re looking for inspiration for columnar web...
Prerequisite: Save the .frm and .ibd files that n...
1. Overview This article systematically explains ...
Among classic color combinations, probably no one...
Introduction to NFS NFS (Network File System) is ...
Sublime Text 2 is a lightweight, simple, efficien...
I installed MySQL smoothly in Ubuntu 16.04 before...
The information on Baidu is so diverse that it...
Get the Dockerfile from the Docker image docker h...
Note: Other machines (IP) cannot connect to the M...
There is no data directory, my-default.ini and my...