diff --git a/ember_debug/general-debug.js b/ember_debug/general-debug.js index dc9f830db6..230faea385 100644 --- a/ember_debug/general-debug.js +++ b/ember_debug/general-debug.js @@ -87,7 +87,9 @@ export default class extends DebugPort { * the info tab. */ getLibraries() { - this.sendMessage('libraries', { libraries: Ember.libraries._registry }); + this.sendMessage('libraries', { + libraries: Ember.libraries?._registry, + }); }, getEmberCliConfig() { diff --git a/ember_debug/libs/capture-render-tree.js b/ember_debug/libs/capture-render-tree.js index 9034a69b19..dd358fba75 100644 --- a/ember_debug/libs/capture-render-tree.js +++ b/ember_debug/libs/capture-render-tree.js @@ -1,434 +1,15 @@ -import { compareVersion } from 'ember-debug/utils/version'; -import Ember from 'ember-debug/utils/ember'; +import { captureRenderTree, getEnv } from 'ember-debug/utils/ember'; /* eslint-disable no-console, no-inner-declarations */ - -let captureRenderTree; - +let capture = captureRenderTree; // Ember 3.14+ comes with debug render tree, but the version in 3.14.0/3.14.1 is buggy -if (Ember._captureRenderTree && compareVersion(Ember.VERSION, '3.14.1') > 0) { - if (Ember.ENV._DEBUG_RENDER_TREE) { - captureRenderTree = Ember._captureRenderTree; +if (captureRenderTree) { + if (getEnv()._DEBUG_RENDER_TREE) { + capture = captureRenderTree; } else { - captureRenderTree = function captureRenderTree() { + capture = function captureRenderTree() { return []; }; } -} else { - /** - * Best-effort polyfill for `Ember._captureRenderTree`. - * - * Just like the Ember API, it takes an owner (`ApplicationInstance`, specifically) - * and return an array of render nodes: - * - * interface CapturedRenderNode { - * id: string; - * type: 'outlet' | 'engine' | 'route-template' | 'component'; - * name: string; - * args: { - * named: Dict; - * positional: unknown[]; - * }; - * instance: unknown; - * template: Option; - * bounds: Option<{ - * parentElement: Simple.Element; - * firstNode: Simple.Node; - * lastNode: Simple.Node; - * }>; - * children: CapturedRenderNode[]; - * } - * - * While the API is identical, there are some differences and limitations: - * - * 1. `args` property is not available (it always report empty args). - * 2. `bounds` property is only available on component nodes (`null` everywhere else). - * 3. `{{mount}}` does not insert an `engine` node. - * 4. `Ember.Component` (classic components) are the only type of component in the tree - * (other components are skipped over). - * 5. Ordering of `children` may be different (but this is also not guarenteed in the - * Ember API). - */ - - const { Controller, ViewUtils, get, getOwner, guidFor } = Ember; - const { getRootViews, getChildViews, getViewBounds } = ViewUtils; - - /** - * We are building the final tree by doing the following steps: - * - * 1. Get the "outlet state" tree from the router. - * 2. Collect the "top level" components. That is, components rendered directly from within - * a route template. - * 3. Do an "interleaved walk" down the outlet and (classic) component tree and map things - * into render nodes. - * 4. Return the array of render nodes we captured. - * - * Usually, this function returns an array of exactly one render node, which is the "root" - * outlet. However, sometimes there may be other top-level components in the app (e.g. - * rendered using the `Ember.Component#appendTo` API). - */ - captureRenderTree = function captureRenderTree(owner) { - let tree = []; - let outletState = getOutletState(owner); - let components = getTopLevelComponents(owner); - - if (outletState && components) { - tree.push(captureOutlet('root', owner, components, outletState)); - } - - return tree; - }; - - /** - * Get the "outlet state" tree from the router. It corresponds to the "settled", - * app state after resolving all the hooks, redirects, etc. The rendering layer - * takes this tree from the router and render it on screen. - * - * It has the following format: - * - * interface OutletState { - * render: { - * // The current owner, could be the app or an engine - * owner: Owner; - * - * // The name of the route - * name: string; - * - * // The controller for the route - * controller: Controller; - * - * // The template (or template factory?) for the route (can this really be undefined?) - * template: OwnedTemplate | undefined; - * - * // The name of the outlet this was rendered into (in the parent route template) - * outlet: string; - * - * // The name of the parent route (we don't use this) - * into: string | undefined; - * }, - * - * // The children outlets of this route, keyed by the outlet names (e.g. "main", "sidebar", ...) - * outlets: Dict; - * } - * - * This function returns the "root" outlet state. - */ - function getOutletState(owner) { - try { - // eslint-disable-next-line ember/no-private-routing-service - return owner.lookup('router:main')._toplevelView.state.ref.value(); - } catch (error) { - console.log('[Ember Inspector] failed to capture render tree'); - console.log(error); - return undefined; - } - } - - /** - * Collect the "top level" components. That is, components rendered directly - * from within a route template. - * - * We do this by walking the classic component tree and identify components - * that has its "target" (~= the parent template's `{{this}}` object) set to - * a controller (or undefined, for root components rendered outside of the - * application route). - * - * This function returns a `Map` keyed by controllers (`undefiend` is also a - * possible key) to arrays of top-level components for that route/controller. - */ - function getTopLevelComponents(owner) { - try { - let map = new Map(); - collectComponentsByController(map, null, getRootViews(owner)); - return map; - } catch (error) { - console.log('[Ember Inspector] failed to capture render tree'); - console.log(error); - return undefined; - } - } - - /** - * Returns the "target" of a (classic) component. - */ - function targetForComponent(component) { - return get(component, '_target') || get(component, '_targetObject'); - } - - /** - * Recursively walk an array of components and add any "top level" components - * to the map keyed by their controller. - */ - function collectComponentsByController(map, controller, components) { - components.forEach((component) => { - let target = targetForComponent(component); - - if (target === undefined || target instanceof Controller) { - /** - * If our parent is already added, don't add ourself again. - * - * This is to prevent something like this: - * - * {{!-- app/templates/application.hbs}} - * - * - * - * - * Without this check, both the parent and the yielded child will be - * considered "top level" since they both have the controller as their - * target. - */ - if (target !== controller) { - if (!map.has(target)) { - map.set(target, []); - } - - map.get(target).push(component); - } - - collectComponentsByController(map, target, getChildViews(component)); - } else { - collectComponentsByController( - map, - controller, - getChildViews(component) - ); - } - }); - } - - const EMPTY_ARGS = { - named: Object.create(null), - positional: [], - }; - - /** - * Return the module name (e.g. `my-app/templates/application.hbs`) for a - * template or template factory, if available. This may not be present for, - * e.g. templates compiled using the "inline" `hbs` tagged string method. - */ - function nameForTemplate(template) { - if (template.meta) { - // Factory - return template.meta.moduleName || null; - } else if (template.referrer) { - // Instance - return template.referrer.moduleName || null; - } else { - return null; - } - } - - /** - * Walk an outlet tree (the last parameter) and map its content into render nodes. - * - * For each level of the outlet tree, we also have to walk the (classic) component - * tree to attach any components for the current level (and their children) to the - * resulting render nodes tree. - * - * We also check if the owner has changed between the current level and the previous - * level, and if so, we infer that we must have just crossed an engine boundary and - * insert an engine render node to account for that. - * - * Because we don't have a good way to generate a stable ID for the outlet nodes, we - * also pass down a "path" of the routes/outlets we have encountered so far which we - * use to generate the ID. - */ - function captureOutlet(path, owner, components, { outlets, render }) { - let outlet = { - id: `render-node:${path}@${render.outlet}`, - type: 'outlet', - name: render.outlet, - args: EMPTY_ARGS, - instance: undefined, - template: null, - bounds: null, - children: [], - }; - - let parent = outlet; - - if (owner !== render.owner) { - let engine = { - id: `render-node:${guidFor(render.owner)}`, - type: 'engine', - name: render.owner.mountPoint, - args: EMPTY_ARGS, - instance: render.owner, - template: null, - bounds: null, - children: [], - }; - - parent.children.push(engine); - parent = engine; - } - - let subpath = `${path}@${render.outlet}/${render.name}`; - - let route = { - id: `render-node:${subpath}`, - type: 'route-template', - name: render.name, - args: EMPTY_ARGS, - instance: render.controller, - template: nameForTemplate(render.template), - bounds: null, - children: [], - }; - - parent.children.push(route); - parent = route; - - let childOutlets = Object.keys(outlets).map((name) => - captureOutlet(subpath, render.owner, components, outlets[name]) - ); - - let childComponents = captureComponents( - components.get(render.controller) || [], - render.controller - ); - - parent.children.push( - ...mergeOutletChildren(render.controller, childOutlets, childComponents) - ); - - return outlet; - } - - /** - * Its is possible to nest an outlet inside a component, one pretty common example - * is a "layout" component: - * - * - * {{outlet "sidebar"}} - * - * - * On the other hand, it's not possible to put a component inside an outlet anymore - * when we get to this point. Try to find a suitable parent for each child outlet - * taking the above into account. - */ - function mergeOutletChildren(controller, outlets, components) { - let merged = []; - - for (let outlet of outlets) { - if (controller) { - let parentComponent = findOutletComponentParent(outlet.children); - - if (controllerForComponent(parentComponent) === controller) { - let parentNode = findOutletComponentNode(components, parentComponent); - - if (parentNode) { - parentNode.children.unshift(outlet); - continue; - } - } - } - - merged.push(outlet); - } - - merged.push(...components); - - return merged; - } - - function findOutletComponentParent(nodes) { - let result; - - for (let node of nodes) { - if (node.type === 'component') { - result = node.instance.parentView; - } else if (node.type === 'engine' || node.type === 'route-template') { - result = findOutletComponentParent(node.children); - } - - if (result !== undefined) { - return result; - } - } - } - - function findOutletComponentNode(nodes, instance) { - let result; - - for (let node of nodes) { - if (node.type === 'component') { - if (node.instance === instance) { - result = node; - } else { - result = findOutletComponentNode(node.children, instance); - } - } - - if (result !== undefined) { - return result; - } - } - } - - /** - * Returns the name of a (classic) component. - */ - function nameForComponent(component) { - // remove "component:" prefix - return component._debugContainerKey.slice(10); - } - - /** - * Returns the nearest controller of a (classic) component. This is so that we know - * whether a given component belongs to the current level (the route that we are - * processing right now) or not. - */ - function controllerForComponent(component) { - let target = component; - - while (target && !(target instanceof Controller)) { - target = targetForComponent(target); - } - - return target; - } - - /** - * Returns the template (or template factory?) for a (classic) component. - */ - function templateForComponent(component) { - let layout = get(component, 'layout'); - - if (layout) { - return nameForTemplate(layout); - } - - let layoutName = get(component, 'layoutName'); - - if (layoutName) { - let owner = getOwner(component); - let template = owner.lookup(`template:${layoutName}`); - return nameForTemplate(template); - } - - return null; - } - - /** - * Return the render node for a given (classic) component, and its children up - * until the next route boundary. - */ - function captureComponents(components, controller) { - return components - .filter((component) => controllerForComponent(component) === controller) - .map((component) => ({ - id: `render-node:${guidFor(component)}`, - type: 'component', - name: nameForComponent(component), - args: EMPTY_ARGS, - instance: component, - template: templateForComponent(component), - bounds: getViewBounds(component), - children: captureComponents(getChildViews(component), controller), - })); - } } - -export default captureRenderTree; +export default capture; diff --git a/ember_debug/object-inspector.js b/ember_debug/object-inspector.js index fec9f0ef51..66436a9cb1 100644 --- a/ember_debug/object-inspector.js +++ b/ember_debug/object-inspector.js @@ -3,21 +3,27 @@ import DebugPort from './debug-port'; import bound from 'ember-debug/utils/bound-method'; import { isComputed, - isDescriptor, getDescriptorFor, typeOf, } from 'ember-debug/utils/type-check'; import { compareVersion } from 'ember-debug/utils/version'; import { inspect as emberInspect } from 'ember-debug/utils/ember/debug'; -import Ember, { EmberObject } from 'ember-debug/utils/ember'; +import { + EmberObject, + meta as emberMeta, + VERSION, + CoreObject, + ObjectProxy, + ArrayProxy, + Service, + Component, +} from 'ember-debug/utils/ember'; import { cacheFor, guidFor } from 'ember-debug/utils/ember/object/internals'; import { _backburner, join } from 'ember-debug/utils/ember/runloop'; import emberNames from './utils/ember-object-names'; import getObjectName from './utils/get-object-name'; import { EmberLoader } from 'ember-debug/utils/ember/loader'; -const { meta: emberMeta, VERSION, CoreObject, ObjectProxy } = Ember; - const GlimmerComponent = (() => { try { return EmberLoader.require('@glimmer/component').default; @@ -88,7 +94,7 @@ try { const HAS_GLIMMER_TRACKING = tagValue && tagValidate && track && tagForProperty; -const keys = Object.keys || Ember.keys; +const keys = Object.keys; /** * Determine the type and get the value of the passed property @@ -115,7 +121,7 @@ function inspectValue(object, key, computedValue) { } else if (isComputed(object, key)) { string = ''; return { type: 'type-descriptor', inspect: string }; - } else if (isDescriptor(value)) { + } else if (value?.isDescriptor) { return { type: 'type-descriptor', inspect: value.toString() }; } else { return { type: `type-${typeOf(value)}`, inspect: inspect(value) }; @@ -195,9 +201,6 @@ function inspect(value) { } function isMandatorySetter(descriptor) { - if (descriptor.set && descriptor.set === Ember.MANDATORY_SETTER_FUNCTION) { - return true; - } if ( descriptor.set && Function.prototype.toString @@ -675,7 +678,6 @@ export default class extends DebugPort { // insert ember mixins for (let mixin of own) { let name = ( - mixin[Ember.NAME_KEY] || mixin.ownerConstructor || emberNames.get(mixin) || '' @@ -722,7 +724,7 @@ export default class extends DebugPort { } if ( - object instanceof Ember.ArrayProxy && + object instanceof ArrayProxy && object.content && !object._showProxyDetails ) { @@ -941,7 +943,7 @@ function addProperties(properties, hash) { } if (!options.isService) { - options.isService = desc.value instanceof Ember.Service; + options.isService = desc.value instanceof Service; } } if (options.isService) { @@ -1272,7 +1274,7 @@ function getDebugInfo(object) { let debugInfo = null; let objectDebugInfo = object._debugInfo; if (objectDebugInfo && typeof objectDebugInfo === 'function') { - if (object instanceof Ember.ObjectProxy && object.content) { + if (object instanceof ObjectProxy && object.content) { object = object.content; } debugInfo = objectDebugInfo.call(object); @@ -1285,7 +1287,7 @@ function getDebugInfo(object) { skipProperties.push('isDestroyed', 'isDestroying', 'container'); // 'currentState' and 'state' are un-observable private properties. // The rest are skipped to reduce noise in the inspector. - if (Ember.Component && object instanceof Ember.Component) { + if (Component && object instanceof Component) { skipProperties.push( 'currentState', 'state', @@ -1320,7 +1322,7 @@ function calculateCP(object, item, errorsForObject) { const property = item.name; delete errorsForObject[property]; try { - if (object instanceof Ember.ArrayProxy && property == parseInt(property)) { + if (object instanceof ArrayProxy && property == parseInt(property)) { return object.objectAt(property); } return item.isGetter || property.includes?.('.') diff --git a/ember_debug/route-debug.js b/ember_debug/route-debug.js index 9cdfea5c7f..3020e8d1a8 100644 --- a/ember_debug/route-debug.js +++ b/ember_debug/route-debug.js @@ -1,10 +1,9 @@ /* eslint-disable ember/no-private-routing-service */ import DebugPort from './debug-port'; import { compareVersion } from 'ember-debug/utils/version'; +import { VERSION } from 'ember-debug/utils/ember'; import classify from 'ember-debug/utils/classify'; import dasherize from 'ember-debug/utils/dasherize'; - -import Ember from 'ember-debug/utils/ember'; import { _backburner, later } from 'ember-debug/utils/ember/runloop'; import bound from 'ember-debug/utils/bound-method'; @@ -202,7 +201,7 @@ function buildSubTree(routeTree, route) { // 3.9.0 removed intimate APIs from router // https://github.com/emberjs/ember.js/pull/17843 // https://deprecations.emberjs.com/v3.x/#toc_remove-handler-infos - if (compareVersion(Ember.VERSION, '3.9.0') !== -1) { + if (compareVersion(VERSION, '3.9.0') !== -1) { // Ember >= 3.9.0 routeHandler = routerLib.getRoute(handler); } else { diff --git a/ember_debug/utils/ember.js b/ember_debug/utils/ember.js index d082b073a9..947c185f5d 100644 --- a/ember_debug/utils/ember.js +++ b/ember_debug/utils/ember.js @@ -9,6 +9,7 @@ try { } let { + ArrayProxy, Namespace, ActionHandler, ControllerMixin, @@ -21,16 +22,25 @@ let { Observable, Evented, PromiseProxyMixin, + Service, Object: EmberObject, + ObjectProxy, VERSION, ComputedProperty, meta, get, set, computed, + _captureRenderTree: captureRenderTree, } = Ember || {}; +let getEnv = () => Ember.ENV; + if (!Ember) { + captureRenderTree = emberSafeRequire('@ember/debug')?.captureRenderTree; + getEnv = emberSafeRequire('@ember/-internals/environment')?.getENV; + ArrayProxy = emberSafeRequire('@ember/array/proxy')?.default; + ObjectProxy = emberSafeRequire('@ember/object/proxy')?.default; MutableArray = emberSafeRequire('@ember/array/mutable')?.default; Namespace = emberSafeRequire('@ember/application/namespace')?.default; MutableEnumerable = emberSafeRequire('@ember/enumerable/mutable')?.default; @@ -44,6 +54,7 @@ if (!Ember) { PromiseProxyMixin = emberSafeRequire( '@ember/object/promise-proxy-mixin' )?.default; + Service = emberSafeRequire('@ember/service')?.default; EmberObject = emberSafeRequire('@ember/object')?.default; VERSION = emberSafeRequire('ember/version')?.default; ComputedProperty = emberSafeRequire( @@ -55,6 +66,7 @@ if (!Ember) { } export { + ArrayProxy, Namespace, ActionHandler, Application, @@ -63,9 +75,11 @@ export { MutableEnumerable, NativeArray, CoreObject, + ObjectProxy, Component, Observable, Evented, + Service, PromiseProxyMixin, EmberObject, VERSION, @@ -74,6 +88,8 @@ export { computed, get, set, + captureRenderTree, + getEnv, }; export default Ember; diff --git a/ember_debug/utils/name-functions.js b/ember_debug/utils/name-functions.js index fdd520f0cc..c80a3f0b07 100644 --- a/ember_debug/utils/name-functions.js +++ b/ember_debug/utils/name-functions.js @@ -12,7 +12,7 @@ export function modelName(model) { } if (name.length > 50) { - name = `${name.substr(0, 50)}...`; + name = `${name.slice(0, 50)}...`; } return name; } diff --git a/ember_debug/utils/type-check.js b/ember_debug/utils/type-check.js index 0dcb7f4add..de0f129028 100644 --- a/ember_debug/utils/type-check.js +++ b/ember_debug/utils/type-check.js @@ -1,5 +1,5 @@ import Debug from 'ember-debug/utils/ember/debug'; -import { ComputedProperty, meta as emberMeta } from 'ember-debug/utils/ember'; +import { meta as emberMeta, ComputedProperty } from 'ember-debug/utils/ember'; import { emberSafeRequire } from 'ember-debug/utils/ember/loader'; /** @@ -21,14 +21,6 @@ export function isComputed(object, key) { if (getDescriptorFor(object, key) instanceof ComputedProperty) { return true; } - - // Ember < 3.10 - return object[key] instanceof ComputedProperty; -} - -export function isDescriptor(value) { - // Ember >= 1.11 - return value && typeof value === 'object' && value.isDescriptor; } /** @@ -38,11 +30,11 @@ export function isDescriptor(value) { * @param {String} key The key for the property on the object */ export function getDescriptorFor(object, key) { - if (isDescriptor(object[key])) { + if (object[key]?.isDescriptor) { return object[key]; } - // exists longeer than ember 3.10 + // exists longer than ember 3.10 if (Debug.isComputed) { const { descriptorForDecorator, descriptorForProperty } = emberSafeRequire('@ember/-internals/metal') || {};