/packages/ember-views/lib/views/view.js

http://github.com/emberjs/ember.js · JavaScript · 1529 lines · 285 code · 113 blank · 1131 comment · 40 complexity · b5d65a75846ad51e9111b6faeee461e4 MD5 · raw file

  1. // Ember.assert, Ember.deprecate, Ember.warn, Ember.TEMPLATES,
  2. // jQuery, Ember.lookup,
  3. // Ember.ContainerView circular dependency
  4. // Ember.ENV
  5. import Ember from 'ember-metal/core';
  6. import Evented from "ember-runtime/mixins/evented";
  7. import EmberObject from "ember-runtime/system/object";
  8. import EmberError from "ember-metal/error";
  9. import { get } from "ember-metal/property_get";
  10. import run from "ember-metal/run_loop";
  11. import { addObserver, removeObserver } from "ember-metal/observer";
  12. import { guidFor } from "ember-metal/utils";
  13. import { computed } from "ember-metal/computed";
  14. import {
  15. Mixin,
  16. observer
  17. } from "ember-metal/mixin";
  18. import { deprecateProperty } from "ember-metal/deprecate_property";
  19. import jQuery from "ember-views/system/jquery";
  20. import "ember-views/system/ext"; // for the side effect of extending Ember.run.queues
  21. import CoreView from "ember-views/views/core_view";
  22. import ViewContextSupport from "ember-views/mixins/view_context_support";
  23. import ViewChildViewsSupport from "ember-views/mixins/view_child_views_support";
  24. import {
  25. childViewsProperty
  26. } from "ember-views/mixins/view_child_views_support";
  27. import ViewStateSupport from "ember-views/mixins/view_state_support";
  28. import TemplateRenderingSupport from "ember-views/mixins/template_rendering_support";
  29. import ClassNamesSupport from "ember-views/mixins/class_names_support";
  30. import LegacyViewSupport from "ember-views/mixins/legacy_view_support";
  31. import InstrumentationSupport from "ember-views/mixins/instrumentation_support";
  32. import VisibilitySupport from "ember-views/mixins/visibility_support";
  33. import CompatAttrsProxy from "ember-views/compat/attrs-proxy";
  34. function K() { return this; }
  35. /**
  36. @module ember
  37. @submodule ember-views
  38. */
  39. Ember.warn("The VIEW_PRESERVES_CONTEXT flag has been removed and the functionality can no longer be disabled.", Ember.ENV.VIEW_PRESERVES_CONTEXT !== false);
  40. /**
  41. Global hash of shared templates. This will automatically be populated
  42. by the build tools so that you can store your Handlebars templates in
  43. separate files that get loaded into JavaScript at buildtime.
  44. @property TEMPLATES
  45. @for Ember
  46. @type Hash
  47. */
  48. Ember.TEMPLATES = {};
  49. /**
  50. `Ember.View` is the class in Ember responsible for encapsulating templates of
  51. HTML content, combining templates with data to render as sections of a page's
  52. DOM, and registering and responding to user-initiated events.
  53. ## HTML Tag
  54. The default HTML tag name used for a view's DOM representation is `div`. This
  55. can be customized by setting the `tagName` property. The following view
  56. class:
  57. ```javascript
  58. ParagraphView = Ember.View.extend({
  59. tagName: 'em'
  60. });
  61. ```
  62. Would result in instances with the following HTML:
  63. ```html
  64. <em id="ember1" class="ember-view"></em>
  65. ```
  66. ## HTML `class` Attribute
  67. The HTML `class` attribute of a view's tag can be set by providing a
  68. `classNames` property that is set to an array of strings:
  69. ```javascript
  70. MyView = Ember.View.extend({
  71. classNames: ['my-class', 'my-other-class']
  72. });
  73. ```
  74. Will result in view instances with an HTML representation of:
  75. ```html
  76. <div id="ember1" class="ember-view my-class my-other-class"></div>
  77. ```
  78. `class` attribute values can also be set by providing a `classNameBindings`
  79. property set to an array of properties names for the view. The return value
  80. of these properties will be added as part of the value for the view's `class`
  81. attribute. These properties can be computed properties:
  82. ```javascript
  83. MyView = Ember.View.extend({
  84. classNameBindings: ['propertyA', 'propertyB'],
  85. propertyA: 'from-a',
  86. propertyB: function() {
  87. if (someLogic) { return 'from-b'; }
  88. }.property()
  89. });
  90. ```
  91. Will result in view instances with an HTML representation of:
  92. ```html
  93. <div id="ember1" class="ember-view from-a from-b"></div>
  94. ```
  95. If the value of a class name binding returns a boolean the property name
  96. itself will be used as the class name if the property is true. The class name
  97. will not be added if the value is `false` or `undefined`.
  98. ```javascript
  99. MyView = Ember.View.extend({
  100. classNameBindings: ['hovered'],
  101. hovered: true
  102. });
  103. ```
  104. Will result in view instances with an HTML representation of:
  105. ```html
  106. <div id="ember1" class="ember-view hovered"></div>
  107. ```
  108. When using boolean class name bindings you can supply a string value other
  109. than the property name for use as the `class` HTML attribute by appending the
  110. preferred value after a ":" character when defining the binding:
  111. ```javascript
  112. MyView = Ember.View.extend({
  113. classNameBindings: ['awesome:so-very-cool'],
  114. awesome: true
  115. });
  116. ```
  117. Will result in view instances with an HTML representation of:
  118. ```html
  119. <div id="ember1" class="ember-view so-very-cool"></div>
  120. ```
  121. Boolean value class name bindings whose property names are in a
  122. camelCase-style format will be converted to a dasherized format:
  123. ```javascript
  124. MyView = Ember.View.extend({
  125. classNameBindings: ['isUrgent'],
  126. isUrgent: true
  127. });
  128. ```
  129. Will result in view instances with an HTML representation of:
  130. ```html
  131. <div id="ember1" class="ember-view is-urgent"></div>
  132. ```
  133. Class name bindings can also refer to object values that are found by
  134. traversing a path relative to the view itself:
  135. ```javascript
  136. MyView = Ember.View.extend({
  137. classNameBindings: ['messages.empty']
  138. messages: Ember.Object.create({
  139. empty: true
  140. })
  141. });
  142. ```
  143. Will result in view instances with an HTML representation of:
  144. ```html
  145. <div id="ember1" class="ember-view empty"></div>
  146. ```
  147. If you want to add a class name for a property which evaluates to true and
  148. and a different class name if it evaluates to false, you can pass a binding
  149. like this:
  150. ```javascript
  151. // Applies 'enabled' class when isEnabled is true and 'disabled' when isEnabled is false
  152. Ember.View.extend({
  153. classNameBindings: ['isEnabled:enabled:disabled']
  154. isEnabled: true
  155. });
  156. ```
  157. Will result in view instances with an HTML representation of:
  158. ```html
  159. <div id="ember1" class="ember-view enabled"></div>
  160. ```
  161. When isEnabled is `false`, the resulting HTML representation looks like
  162. this:
  163. ```html
  164. <div id="ember1" class="ember-view disabled"></div>
  165. ```
  166. This syntax offers the convenience to add a class if a property is `false`:
  167. ```javascript
  168. // Applies no class when isEnabled is true and class 'disabled' when isEnabled is false
  169. Ember.View.extend({
  170. classNameBindings: ['isEnabled::disabled']
  171. isEnabled: true
  172. });
  173. ```
  174. Will result in view instances with an HTML representation of:
  175. ```html
  176. <div id="ember1" class="ember-view"></div>
  177. ```
  178. When the `isEnabled` property on the view is set to `false`, it will result
  179. in view instances with an HTML representation of:
  180. ```html
  181. <div id="ember1" class="ember-view disabled"></div>
  182. ```
  183. Updates to the the value of a class name binding will result in automatic
  184. update of the HTML `class` attribute in the view's rendered HTML
  185. representation. If the value becomes `false` or `undefined` the class name
  186. will be removed.
  187. Both `classNames` and `classNameBindings` are concatenated properties. See
  188. [Ember.Object](/api/classes/Ember.Object.html) documentation for more
  189. information about concatenated properties.
  190. ## HTML Attributes
  191. The HTML attribute section of a view's tag can be set by providing an
  192. `attributeBindings` property set to an array of property names on the view.
  193. The return value of these properties will be used as the value of the view's
  194. HTML associated attribute:
  195. ```javascript
  196. AnchorView = Ember.View.extend({
  197. tagName: 'a',
  198. attributeBindings: ['href'],
  199. href: 'http://google.com'
  200. });
  201. ```
  202. Will result in view instances with an HTML representation of:
  203. ```html
  204. <a id="ember1" class="ember-view" href="http://google.com"></a>
  205. ```
  206. One property can be mapped on to another by placing a ":" between
  207. the source property and the destination property:
  208. ```javascript
  209. AnchorView = Ember.View.extend({
  210. tagName: 'a',
  211. attributeBindings: ['url:href'],
  212. url: 'http://google.com'
  213. });
  214. ```
  215. Will result in view instances with an HTML representation of:
  216. ```html
  217. <a id="ember1" class="ember-view" href="http://google.com"></a>
  218. ```
  219. Namespaced attributes (e.g. `xlink:href`) are supported, but have to be
  220. mapped, since `:` is not a valid character for properties in Javascript:
  221. ```javascript
  222. UseView = Ember.View.extend({
  223. tagName: 'use',
  224. attributeBindings: ['xlinkHref:xlink:href'],
  225. xlinkHref: '#triangle'
  226. });
  227. ```
  228. Will result in view instances with an HTML representation of:
  229. ```html
  230. <use xlink:href="#triangle"></use>
  231. ```
  232. If the return value of an `attributeBindings` monitored property is a boolean
  233. the property will follow HTML's pattern of repeating the attribute's name as
  234. its value:
  235. ```javascript
  236. MyTextInput = Ember.View.extend({
  237. tagName: 'input',
  238. attributeBindings: ['disabled'],
  239. disabled: true
  240. });
  241. ```
  242. Will result in view instances with an HTML representation of:
  243. ```html
  244. <input id="ember1" class="ember-view" disabled="disabled" />
  245. ```
  246. `attributeBindings` can refer to computed properties:
  247. ```javascript
  248. MyTextInput = Ember.View.extend({
  249. tagName: 'input',
  250. attributeBindings: ['disabled'],
  251. disabled: function() {
  252. if (someLogic) {
  253. return true;
  254. } else {
  255. return false;
  256. }
  257. }.property()
  258. });
  259. ```
  260. Updates to the the property of an attribute binding will result in automatic
  261. update of the HTML attribute in the view's rendered HTML representation.
  262. `attributeBindings` is a concatenated property. See [Ember.Object](/api/classes/Ember.Object.html)
  263. documentation for more information about concatenated properties.
  264. ## Templates
  265. The HTML contents of a view's rendered representation are determined by its
  266. template. Templates can be any function that accepts an optional context
  267. parameter and returns a string of HTML that will be inserted within the
  268. view's tag. Most typically in Ember this function will be a compiled
  269. `Ember.Handlebars` template.
  270. ```javascript
  271. AView = Ember.View.extend({
  272. template: Ember.Handlebars.compile('I am the template')
  273. });
  274. ```
  275. Will result in view instances with an HTML representation of:
  276. ```html
  277. <div id="ember1" class="ember-view">I am the template</div>
  278. ```
  279. Within an Ember application is more common to define a Handlebars templates as
  280. part of a page:
  281. ```html
  282. <script type='text/x-handlebars' data-template-name='some-template'>
  283. Hello
  284. </script>
  285. ```
  286. And associate it by name using a view's `templateName` property:
  287. ```javascript
  288. AView = Ember.View.extend({
  289. templateName: 'some-template'
  290. });
  291. ```
  292. If you have nested resources, your Handlebars template will look like this:
  293. ```html
  294. <script type='text/x-handlebars' data-template-name='posts/new'>
  295. <h1>New Post</h1>
  296. </script>
  297. ```
  298. And `templateName` property:
  299. ```javascript
  300. AView = Ember.View.extend({
  301. templateName: 'posts/new'
  302. });
  303. ```
  304. Using a value for `templateName` that does not have a Handlebars template
  305. with a matching `data-template-name` attribute will throw an error.
  306. For views classes that may have a template later defined (e.g. as the block
  307. portion of a `{{view}}` Handlebars helper call in another template or in
  308. a subclass), you can provide a `defaultTemplate` property set to compiled
  309. template function. If a template is not later provided for the view instance
  310. the `defaultTemplate` value will be used:
  311. ```javascript
  312. AView = Ember.View.extend({
  313. defaultTemplate: Ember.Handlebars.compile('I was the default'),
  314. template: null,
  315. templateName: null
  316. });
  317. ```
  318. Will result in instances with an HTML representation of:
  319. ```html
  320. <div id="ember1" class="ember-view">I was the default</div>
  321. ```
  322. If a `template` or `templateName` is provided it will take precedence over
  323. `defaultTemplate`:
  324. ```javascript
  325. AView = Ember.View.extend({
  326. defaultTemplate: Ember.Handlebars.compile('I was the default')
  327. });
  328. aView = AView.create({
  329. template: Ember.Handlebars.compile('I was the template, not default')
  330. });
  331. ```
  332. Will result in the following HTML representation when rendered:
  333. ```html
  334. <div id="ember1" class="ember-view">I was the template, not default</div>
  335. ```
  336. ## View Context
  337. The default context of the compiled template is the view's controller:
  338. ```javascript
  339. AView = Ember.View.extend({
  340. template: Ember.Handlebars.compile('Hello {{excitedGreeting}}')
  341. });
  342. aController = Ember.Object.create({
  343. firstName: 'Barry',
  344. excitedGreeting: function() {
  345. return this.get("content.firstName") + "!!!"
  346. }.property()
  347. });
  348. aView = AView.create({
  349. controller: aController
  350. });
  351. ```
  352. Will result in an HTML representation of:
  353. ```html
  354. <div id="ember1" class="ember-view">Hello Barry!!!</div>
  355. ```
  356. A context can also be explicitly supplied through the view's `context`
  357. property. If the view has neither `context` nor `controller` properties, the
  358. `parentView`'s context will be used.
  359. ## Layouts
  360. Views can have a secondary template that wraps their main template. Like
  361. primary templates, layouts can be any function that accepts an optional
  362. context parameter and returns a string of HTML that will be inserted inside
  363. view's tag. Views whose HTML element is self closing (e.g. `<input />`)
  364. cannot have a layout and this property will be ignored.
  365. Most typically in Ember a layout will be a compiled `Ember.Handlebars`
  366. template.
  367. A view's layout can be set directly with the `layout` property or reference
  368. an existing Handlebars template by name with the `layoutName` property.
  369. A template used as a layout must contain a single use of the Handlebars
  370. `{{yield}}` helper. The HTML contents of a view's rendered `template` will be
  371. inserted at this location:
  372. ```javascript
  373. AViewWithLayout = Ember.View.extend({
  374. layout: Ember.Handlebars.compile("<div class='my-decorative-class'>{{yield}}</div>"),
  375. template: Ember.Handlebars.compile("I got wrapped")
  376. });
  377. ```
  378. Will result in view instances with an HTML representation of:
  379. ```html
  380. <div id="ember1" class="ember-view">
  381. <div class="my-decorative-class">
  382. I got wrapped
  383. </div>
  384. </div>
  385. ```
  386. See [Ember.Handlebars.helpers.yield](/api/classes/Ember.Handlebars.helpers.html#method_yield)
  387. for more information.
  388. ## Responding to Browser Events
  389. Views can respond to user-initiated events in one of three ways: method
  390. implementation, through an event manager, and through `{{action}}` helper use
  391. in their template or layout.
  392. ### Method Implementation
  393. Views can respond to user-initiated events by implementing a method that
  394. matches the event name. A `jQuery.Event` object will be passed as the
  395. argument to this method.
  396. ```javascript
  397. AView = Ember.View.extend({
  398. click: function(event) {
  399. // will be called when when an instance's
  400. // rendered element is clicked
  401. }
  402. });
  403. ```
  404. ### Event Managers
  405. Views can define an object as their `eventManager` property. This object can
  406. then implement methods that match the desired event names. Matching events
  407. that occur on the view's rendered HTML or the rendered HTML of any of its DOM
  408. descendants will trigger this method. A `jQuery.Event` object will be passed
  409. as the first argument to the method and an `Ember.View` object as the
  410. second. The `Ember.View` will be the view whose rendered HTML was interacted
  411. with. This may be the view with the `eventManager` property or one of its
  412. descendant views.
  413. ```javascript
  414. AView = Ember.View.extend({
  415. eventManager: Ember.Object.create({
  416. doubleClick: function(event, view) {
  417. // will be called when when an instance's
  418. // rendered element or any rendering
  419. // of this view's descendant
  420. // elements is clicked
  421. }
  422. })
  423. });
  424. ```
  425. An event defined for an event manager takes precedence over events of the
  426. same name handled through methods on the view.
  427. ```javascript
  428. AView = Ember.View.extend({
  429. mouseEnter: function(event) {
  430. // will never trigger.
  431. },
  432. eventManager: Ember.Object.create({
  433. mouseEnter: function(event, view) {
  434. // takes precedence over AView#mouseEnter
  435. }
  436. })
  437. });
  438. ```
  439. Similarly a view's event manager will take precedence for events of any views
  440. rendered as a descendant. A method name that matches an event name will not
  441. be called if the view instance was rendered inside the HTML representation of
  442. a view that has an `eventManager` property defined that handles events of the
  443. name. Events not handled by the event manager will still trigger method calls
  444. on the descendant.
  445. ```javascript
  446. var App = Ember.Application.create();
  447. App.OuterView = Ember.View.extend({
  448. template: Ember.Handlebars.compile("outer {{#view 'inner'}}inner{{/view}} outer"),
  449. eventManager: Ember.Object.create({
  450. mouseEnter: function(event, view) {
  451. // view might be instance of either
  452. // OuterView or InnerView depending on
  453. // where on the page the user interaction occurred
  454. }
  455. })
  456. });
  457. App.InnerView = Ember.View.extend({
  458. click: function(event) {
  459. // will be called if rendered inside
  460. // an OuterView because OuterView's
  461. // eventManager doesn't handle click events
  462. },
  463. mouseEnter: function(event) {
  464. // will never be called if rendered inside
  465. // an OuterView.
  466. }
  467. });
  468. ```
  469. ### Handlebars `{{action}}` Helper
  470. See [Handlebars.helpers.action](/api/classes/Ember.Handlebars.helpers.html#method_action).
  471. ### Event Names
  472. All of the event handling approaches described above respond to the same set
  473. of events. The names of the built-in events are listed below. (The hash of
  474. built-in events exists in `Ember.EventDispatcher`.) Additional, custom events
  475. can be registered by using `Ember.Application.customEvents`.
  476. Touch events:
  477. * `touchStart`
  478. * `touchMove`
  479. * `touchEnd`
  480. * `touchCancel`
  481. Keyboard events
  482. * `keyDown`
  483. * `keyUp`
  484. * `keyPress`
  485. Mouse events
  486. * `mouseDown`
  487. * `mouseUp`
  488. * `contextMenu`
  489. * `click`
  490. * `doubleClick`
  491. * `mouseMove`
  492. * `focusIn`
  493. * `focusOut`
  494. * `mouseEnter`
  495. * `mouseLeave`
  496. Form events:
  497. * `submit`
  498. * `change`
  499. * `focusIn`
  500. * `focusOut`
  501. * `input`
  502. HTML5 drag and drop events:
  503. * `dragStart`
  504. * `drag`
  505. * `dragEnter`
  506. * `dragLeave`
  507. * `dragOver`
  508. * `dragEnd`
  509. * `drop`
  510. ## Handlebars `{{view}}` Helper
  511. Other `Ember.View` instances can be included as part of a view's template by
  512. using the `{{view}}` Handlebars helper. See [Ember.Handlebars.helpers.view](/api/classes/Ember.Handlebars.helpers.html#method_view)
  513. for additional information.
  514. @class View
  515. @namespace Ember
  516. @extends Ember.CoreView
  517. @uses Ember.ViewContextSupport
  518. @uses Ember.ViewChildViewsSupport
  519. @uses Ember.TemplateRenderingSupport
  520. @uses Ember.ClassNamesSupport
  521. @uses Ember.AttributeBindingsSupport
  522. @uses Ember.LegacyViewSupport
  523. @uses Ember.InstrumentationSupport
  524. @uses Ember.VisibilitySupport
  525. */
  526. // jscs:disable validateIndentation
  527. var View = CoreView.extend(
  528. ViewContextSupport,
  529. ViewChildViewsSupport,
  530. ViewStateSupport,
  531. TemplateRenderingSupport,
  532. ClassNamesSupport,
  533. LegacyViewSupport,
  534. InstrumentationSupport,
  535. VisibilitySupport,
  536. CompatAttrsProxy, {
  537. concatenatedProperties: ['attributeBindings'],
  538. /**
  539. @property isView
  540. @type Boolean
  541. @default true
  542. @static
  543. */
  544. isView: true,
  545. // ..........................................................
  546. // TEMPLATE SUPPORT
  547. //
  548. /**
  549. The name of the template to lookup if no template is provided.
  550. By default `Ember.View` will lookup a template with this name in
  551. `Ember.TEMPLATES` (a shared global object).
  552. @property templateName
  553. @type String
  554. @default null
  555. */
  556. templateName: null,
  557. /**
  558. The name of the layout to lookup if no layout is provided.
  559. By default `Ember.View` will lookup a template with this name in
  560. `Ember.TEMPLATES` (a shared global object).
  561. @property layoutName
  562. @type String
  563. @default null
  564. */
  565. layoutName: null,
  566. /**
  567. The template used to render the view. This should be a function that
  568. accepts an optional context parameter and returns a string of HTML that
  569. will be inserted into the DOM relative to its parent view.
  570. In general, you should set the `templateName` property instead of setting
  571. the template yourself.
  572. @property template
  573. @type Function
  574. */
  575. template: computed('templateName', {
  576. get() {
  577. var templateName = get(this, 'templateName');
  578. var template = this.templateForName(templateName, 'template');
  579. Ember.assert("You specified the templateName " + templateName + " for " + this + ", but it did not exist.", !templateName || !!template);
  580. return template || get(this, 'defaultTemplate');
  581. },
  582. set(key, value) {
  583. if (value !== undefined) { return value; }
  584. return get(this, key);
  585. }
  586. }),
  587. /**
  588. A view may contain a layout. A layout is a regular template but
  589. supersedes the `template` property during rendering. It is the
  590. responsibility of the layout template to retrieve the `template`
  591. property from the view (or alternatively, call `Handlebars.helpers.yield`,
  592. `{{yield}}`) to render it in the correct location.
  593. This is useful for a view that has a shared wrapper, but which delegates
  594. the rendering of the contents of the wrapper to the `template` property
  595. on a subclass.
  596. @property layout
  597. @type Function
  598. */
  599. layout: computed('layoutName', {
  600. get(key) {
  601. var layoutName = get(this, 'layoutName');
  602. var layout = this.templateForName(layoutName, 'layout');
  603. Ember.assert("You specified the layoutName " + layoutName + " for " + this + ", but it did not exist.", !layoutName || !!layout);
  604. return layout || get(this, 'defaultLayout');
  605. },
  606. set(key, value) {
  607. return value;
  608. }
  609. }),
  610. templateForName(name, type) {
  611. if (!name) { return; }
  612. Ember.assert("templateNames are not allowed to contain periods: "+name, name.indexOf('.') === -1);
  613. if (!this.container) {
  614. throw new EmberError('Container was not found when looking up a views template. ' +
  615. 'This is most likely due to manually instantiating an Ember.View. ' +
  616. 'See: http://git.io/EKPpnA');
  617. }
  618. return this.container.lookup('template:' + name);
  619. },
  620. /**
  621. If a value that affects template rendering changes, the view should be
  622. re-rendered to reflect the new value.
  623. @method _contextDidChange
  624. @private
  625. */
  626. _contextDidChange: observer('context', function() {
  627. this.rerender();
  628. }),
  629. /**
  630. Return the nearest ancestor that is an instance of the provided
  631. class or mixin.
  632. @method nearestOfType
  633. @param {Class,Mixin} klass Subclass of Ember.View (or Ember.View itself),
  634. or an instance of Ember.Mixin.
  635. @return Ember.View
  636. */
  637. nearestOfType(klass) {
  638. var view = get(this, 'parentView');
  639. var isOfType = klass instanceof Mixin ?
  640. function(view) { return klass.detect(view); } :
  641. function(view) { return klass.detect(view.constructor); };
  642. while (view) {
  643. if (isOfType(view)) { return view; }
  644. view = get(view, 'parentView');
  645. }
  646. },
  647. /**
  648. Return the nearest ancestor that has a given property.
  649. @method nearestWithProperty
  650. @param {String} property A property name
  651. @return Ember.View
  652. */
  653. nearestWithProperty(property) {
  654. var view = get(this, 'parentView');
  655. while (view) {
  656. if (property in view) { return view; }
  657. view = get(view, 'parentView');
  658. }
  659. },
  660. /**
  661. Renders the view again. This will work regardless of whether the
  662. view is already in the DOM or not. If the view is in the DOM, the
  663. rendering process will be deferred to give bindings a chance
  664. to synchronize.
  665. If children were added during the rendering process using `appendChild`,
  666. `rerender` will remove them, because they will be added again
  667. if needed by the next `render`.
  668. In general, if the display of your view changes, you should modify
  669. the DOM element directly instead of manually calling `rerender`, which can
  670. be slow.
  671. @method rerender
  672. */
  673. rerender() {
  674. return this.currentState.rerender(this);
  675. },
  676. /*
  677. * @private
  678. *
  679. * @method _rerender
  680. */
  681. _rerender() {
  682. if (this.isDestroying || this.isDestroyed) {
  683. return;
  684. }
  685. this._renderer.renderTree(this, this.parentView);
  686. },
  687. /**
  688. Given a property name, returns a dasherized version of that
  689. property name if the property evaluates to a non-falsy value.
  690. For example, if the view has property `isUrgent` that evaluates to true,
  691. passing `isUrgent` to this method will return `"is-urgent"`.
  692. @method _classStringForProperty
  693. @param property
  694. @private
  695. */
  696. _classStringForProperty(parsedPath) {
  697. return View._classStringForValue(parsedPath.path, parsedPath.stream.value(), parsedPath.className, parsedPath.falsyClassName);
  698. },
  699. // ..........................................................
  700. // ELEMENT SUPPORT
  701. //
  702. /**
  703. Returns the current DOM element for the view.
  704. @property element
  705. @type DOMElement
  706. */
  707. element: null,
  708. /**
  709. Returns a jQuery object for this view's element. If you pass in a selector
  710. string, this method will return a jQuery object, using the current element
  711. as its buffer.
  712. For example, calling `view.$('li')` will return a jQuery object containing
  713. all of the `li` elements inside the DOM element of this view.
  714. @method $
  715. @param {String} [selector] a jQuery-compatible selector string
  716. @return {jQuery} the jQuery object for the DOM node
  717. */
  718. $(sel) {
  719. Ember.assert('You cannot access this.$() on a component with `tagName: \'\'` specified.', this.tagName !== '');
  720. return this.currentState.$(this, sel);
  721. },
  722. forEachChildView(callback) {
  723. var childViews = this.childViews;
  724. if (!childViews) { return this; }
  725. var len = childViews.length;
  726. var view, idx;
  727. for (idx = 0; idx < len; idx++) {
  728. view = childViews[idx];
  729. callback(view);
  730. }
  731. return this;
  732. },
  733. /**
  734. Appends the view's element to the specified parent element.
  735. If the view does not have an HTML representation yet, `createElement()`
  736. will be called automatically.
  737. Note that this method just schedules the view to be appended; the DOM
  738. element will not be appended to the given element until all bindings have
  739. finished synchronizing.
  740. This is not typically a function that you will need to call directly when
  741. building your application. You might consider using `Ember.ContainerView`
  742. instead. If you do need to use `appendTo`, be sure that the target element
  743. you are providing is associated with an `Ember.Application` and does not
  744. have an ancestor element that is associated with an Ember view.
  745. @method appendTo
  746. @param {String|DOMElement|jQuery} A selector, element, HTML string, or jQuery object
  747. @return {Ember.View} receiver
  748. */
  749. appendTo(selector) {
  750. var target = jQuery(selector);
  751. Ember.assert("You tried to append to (" + selector + ") but that isn't in the DOM", target.length > 0);
  752. Ember.assert("You cannot append to an existing Ember.View. Consider using Ember.ContainerView instead.", !target.is('.ember-view') && !target.parents().is('.ember-view'));
  753. this.renderer.appendTo(this, target[0]);
  754. return this;
  755. },
  756. /**
  757. @private
  758. Creates a new DOM element, renders the view into it, then returns the
  759. element.
  760. By default, the element created and rendered into will be a `BODY` element,
  761. since this is the default context that views are rendered into when being
  762. inserted directly into the DOM.
  763. ```js
  764. var element = view.renderToElement();
  765. element.tagName; // => "BODY"
  766. ```
  767. You can override the kind of element rendered into and returned by
  768. specifying an optional tag name as the first argument.
  769. ```js
  770. var element = view.renderToElement('table');
  771. element.tagName; // => "TABLE"
  772. ```
  773. This method is useful if you want to render the view into an element that
  774. is not in the document's body. Instead, a new `body` element, detached from
  775. the DOM is returned. FastBoot uses this to serialize the rendered view into
  776. a string for transmission over the network.
  777. ```js
  778. app.visit('/').then(function(instance) {
  779. var element;
  780. Ember.run(function() {
  781. element = renderToElement(instance);
  782. });
  783. res.send(serialize(element));
  784. });
  785. ```
  786. @method renderToElement
  787. @param {String} tagName The tag of the element to create and render into. Defaults to "body".
  788. @return {HTMLBodyElement} element
  789. */
  790. renderToElement(tagName) {
  791. tagName = tagName || 'body';
  792. var element = this.renderer._dom.createElement(tagName);
  793. this.renderer.appendTo(this, element);
  794. return element;
  795. },
  796. /**
  797. Replaces the content of the specified parent element with this view's
  798. element. If the view does not have an HTML representation yet,
  799. the element will be generated automatically.
  800. Note that this method just schedules the view to be appended; the DOM
  801. element will not be appended to the given element until all bindings have
  802. finished synchronizing
  803. @method replaceIn
  804. @param {String|DOMElement|jQuery} target A selector, element, HTML string, or jQuery object
  805. @return {Ember.View} received
  806. */
  807. replaceIn(selector) {
  808. var target = jQuery(selector);
  809. Ember.assert("You tried to replace in (" + selector + ") but that isn't in the DOM", target.length > 0);
  810. Ember.assert("You cannot replace an existing Ember.View. Consider using Ember.ContainerView instead.", !target.is('.ember-view') && !target.parents().is('.ember-view'));
  811. this.renderer.replaceIn(this, target[0]);
  812. return this;
  813. },
  814. /**
  815. Appends the view's element to the document body. If the view does
  816. not have an HTML representation yet
  817. the element will be generated automatically.
  818. If your application uses the `rootElement` property, you must append
  819. the view within that element. Rendering views outside of the `rootElement`
  820. is not supported.
  821. Note that this method just schedules the view to be appended; the DOM
  822. element will not be appended to the document body until all bindings have
  823. finished synchronizing.
  824. @method append
  825. @return {Ember.View} receiver
  826. */
  827. append() {
  828. return this.appendTo(document.body);
  829. },
  830. /**
  831. Removes the view's element from the element to which it is attached.
  832. @method remove
  833. @return {Ember.View} receiver
  834. */
  835. remove() {
  836. // What we should really do here is wait until the end of the run loop
  837. // to determine if the element has been re-appended to a different
  838. // element.
  839. // In the interim, we will just re-render if that happens. It is more
  840. // important than elements get garbage collected.
  841. if (!this.removedFromDOM) { this.destroyElement(); }
  842. // Set flag to avoid future renders
  843. this._willInsert = false;
  844. },
  845. /**
  846. The HTML `id` of the view's element in the DOM. You can provide this
  847. value yourself but it must be unique (just as in HTML):
  848. ```handlebars
  849. {{my-component elementId="a-really-cool-id"}}
  850. ```
  851. If not manually set a default value will be provided by the framework.
  852. Once rendered an element's `elementId` is considered immutable and you
  853. should never change it. If you need to compute a dynamic value for the
  854. `elementId`, you should do this when the component or element is being
  855. instantiated:
  856. ```javascript
  857. export default Ember.Component.extend({
  858. setElementId: function() {
  859. var index = this.get('index');
  860. this.set('elementId', 'component-id' + index);
  861. }.on('init')
  862. });
  863. ```
  864. @property elementId
  865. @type String
  866. */
  867. elementId: null,
  868. /**
  869. Attempts to discover the element in the parent element. The default
  870. implementation looks for an element with an ID of `elementId` (or the
  871. view's guid if `elementId` is null). You can override this method to
  872. provide your own form of lookup. For example, if you want to discover your
  873. element using a CSS class name instead of an ID.
  874. @method findElementInParentElement
  875. @param {DOMElement} parentElement The parent's DOM element
  876. @return {DOMElement} The discovered element
  877. */
  878. findElementInParentElement(parentElem) {
  879. var id = "#" + this.elementId;
  880. return jQuery(id)[0] || jQuery(id, parentElem)[0];
  881. },
  882. /**
  883. Creates a DOM representation of the view and all of its child views by
  884. recursively calling the `render()` method. Once the element is created,
  885. it sets the `element` property of the view to the rendered element.
  886. After the element has been inserted into the DOM, `didInsertElement` will
  887. be called on this view and all of its child views.
  888. @method createElement
  889. @return {Ember.View} receiver
  890. */
  891. createElement() {
  892. if (this.element) { return this; }
  893. this.renderer.createElement(this);
  894. return this;
  895. },
  896. /**
  897. Called when a view is going to insert an element into the DOM.
  898. @event willInsertElement
  899. */
  900. willInsertElement: K,
  901. /**
  902. Called when the element of the view has been inserted into the DOM
  903. or after the view was re-rendered. Override this function to do any
  904. set up that requires an element in the document body.
  905. When a view has children, didInsertElement will be called on the
  906. child view(s) first, bubbling upwards through the hierarchy.
  907. @event didInsertElement
  908. */
  909. didInsertElement: K,
  910. /**
  911. Called when the view is about to rerender, but before anything has
  912. been torn down. This is a good opportunity to tear down any manual
  913. observers you have installed based on the DOM state
  914. @event willClearRender
  915. */
  916. willClearRender: K,
  917. /**
  918. Destroys any existing element along with the element for any child views
  919. as well. If the view does not currently have a element, then this method
  920. will do nothing.
  921. If you implement `willDestroyElement()` on your view, then this method will
  922. be invoked on your view before your element is destroyed to give you a
  923. chance to clean up any event handlers, etc.
  924. If you write a `willDestroyElement()` handler, you can assume that your
  925. `didInsertElement()` handler was called earlier for the same element.
  926. You should not call or override this method yourself, but you may
  927. want to implement the above callbacks.
  928. @method destroyElement
  929. @return {Ember.View} receiver
  930. */
  931. destroyElement() {
  932. return this.currentState.destroyElement(this);
  933. },
  934. /**
  935. Called when the element of the view is going to be destroyed. Override
  936. this function to do any teardown that requires an element, like removing
  937. event listeners.
  938. Please note: any property changes made during this event will have no
  939. effect on object observers.
  940. @event willDestroyElement
  941. */
  942. willDestroyElement: K,
  943. /**
  944. Called when the parentView property has changed.
  945. @event parentViewDidChange
  946. */
  947. parentViewDidChange: K,
  948. // ..........................................................
  949. // STANDARD RENDER PROPERTIES
  950. //
  951. /**
  952. Tag name for the view's outer element. The tag name is only used when an
  953. element is first created. If you change the `tagName` for an element, you
  954. must destroy and recreate the view element.
  955. By default, the render buffer will use a `<div>` tag for views.
  956. @property tagName
  957. @type String
  958. @default null
  959. */
  960. // We leave this null by default so we can tell the difference between
  961. // the default case and a user-specified tag.
  962. tagName: null,
  963. /*
  964. Used to specify a default tagName that can be overridden when extending
  965. or invoking from a template.
  966. @property _defaultTagName
  967. @private
  968. */
  969. /**
  970. The WAI-ARIA role of the control represented by this view. For example, a
  971. button may have a role of type 'button', or a pane may have a role of
  972. type 'alertdialog'. This property is used by assistive software to help
  973. visually challenged users navigate rich web applications.
  974. The full list of valid WAI-ARIA roles is available at:
  975. [http://www.w3.org/TR/wai-aria/roles#roles_categorization](http://www.w3.org/TR/wai-aria/roles#roles_categorization)
  976. @property ariaRole
  977. @type String
  978. @default null
  979. */
  980. ariaRole: null,
  981. /**
  982. Normally, Ember's component model is "write-only". The component takes a
  983. bunch of attributes that it got passed in, and uses them to render its
  984. template.
  985. One nice thing about this model is that if you try to set a value to the
  986. same thing as last time, Ember (through HTMLBars) will avoid doing any
  987. work on the DOM.
  988. This is not just a performance optimization. If an attribute has not
  989. changed, it is important not to clobber the element's "hidden state".
  990. For example, if you set an input's `value` to the same value as before,
  991. it will clobber selection state and cursor position. In other words,
  992. setting an attribute is not **always** idempotent.
  993. This method provides a way to read an element's attribute and also
  994. update the last value Ember knows about at the same time. This makes
  995. setting an attribute idempotent.
  996. In particular, what this means is that if you get an `<input>` element's
  997. `value` attribute and then re-render the template with the same value,
  998. it will avoid clobbering the cursor and selection position.
  999. Since most attribute sets are idempotent in the browser, you typically
  1000. can get away with reading attributes using jQuery, but the most reliable
  1001. way to do so is through this method.
  1002. @method readDOMAttr
  1003. @param {String} name the name of the attribute
  1004. @return String
  1005. */
  1006. readDOMAttr(name) {
  1007. let attr = this._renderNode.childNodes.filter(node => node.attrName === name)[0];
  1008. if (!attr) { return null; }
  1009. return attr.getContent();
  1010. },
  1011. // .......................................................
  1012. // CORE DISPLAY METHODS
  1013. //
  1014. /**
  1015. Setup a view, but do not finish waking it up.
  1016. * configure `childViews`
  1017. * register the view with the global views hash, which is used for event
  1018. dispatch
  1019. @method init
  1020. @private
  1021. */
  1022. init() {
  1023. if (!this.elementId) {
  1024. this.elementId = guidFor(this);
  1025. }
  1026. this.scheduledRevalidation = false;
  1027. this._super(...arguments);
  1028. if (!this._viewRegistry) {
  1029. this._viewRegistry = View.views;
  1030. }
  1031. },
  1032. __defineNonEnumerable(property) {
  1033. this[property.name] = property.descriptor.value;
  1034. },
  1035. revalidate() {
  1036. this.renderer.revalidateTopLevelView(this);
  1037. this.scheduledRevalidation = false;
  1038. },
  1039. scheduleRevalidate(node, label, manualRerender) {
  1040. if (node && !this._dispatching && node.guid in this.env.renderedNodes) {
  1041. if (manualRerender) {
  1042. Ember.deprecate(`You manually rerendered ${label} (a parent component) from a child component during the rendering process. This rarely worked in Ember 1.x and will be removed in Ember 2.0`);
  1043. } else {
  1044. Ember.deprecate(`You modified ${label} twice in a single render. This was unreliable in Ember 1.x and will be removed in Ember 2.0`);
  1045. }
  1046. run.scheduleOnce('render', this, this.revalidate);
  1047. return;
  1048. }
  1049. Ember.deprecate(`A property of ${this} was modified inside the ${this._dispatching} hook. You should never change properties on components, services or models during ${this._dispatching} because it causes significant performance degradation.`, !this._dispatching);
  1050. if (!this.scheduledRevalidation || this._dispatching) {
  1051. this.scheduledRevalidation = true;
  1052. run.scheduleOnce('render', this, this.revalidate);
  1053. }
  1054. },
  1055. appendAttr(node, buffer) {
  1056. return this.currentState.appendAttr(this, node, buffer);
  1057. },
  1058. templateRenderer: null,
  1059. /**
  1060. Removes the view from its `parentView`, if one is found. Otherwise
  1061. does nothing.
  1062. @method removeFromParent
  1063. @return {Ember.View} receiver
  1064. */
  1065. removeFromParent() {
  1066. var parent = this.parentView;
  1067. // Remove DOM element from parent
  1068. this.remove();
  1069. if (parent) { parent.removeChild(this); }
  1070. return this;
  1071. },
  1072. /**
  1073. You must call `destroy` on a view to destroy the view (and all of its
  1074. child views). This will remove the view from any parent node, then make
  1075. sure that the DOM element managed by the view can be released by the
  1076. memory manager.
  1077. @method destroy
  1078. */
  1079. destroy() {
  1080. // get parentView before calling super because it'll be destroyed
  1081. var parentView = this.parentView;
  1082. var viewName = this.viewName;
  1083. if (!this._super(...arguments)) { return; }
  1084. // remove from non-virtual parent view if viewName was specified
  1085. if (viewName && parentView) {
  1086. parentView.set(viewName, null);
  1087. }
  1088. // Destroy HTMLbars template
  1089. if (this.lastResult) {
  1090. this.lastResult.destroy();
  1091. }
  1092. return this;
  1093. },
  1094. // .......................................................
  1095. // EVENT HANDLING
  1096. //
  1097. /**
  1098. Handle events from `Ember.EventDispatcher`
  1099. @method handleEvent
  1100. @param eventName {String}
  1101. @param evt {Event}
  1102. @private
  1103. */
  1104. handleEvent(eventName, evt) {
  1105. return this.currentState.handleEvent(this, eventName, evt);
  1106. },
  1107. /**
  1108. Registers the view in the view registry, keyed on the view's `elementId`.
  1109. This is used by the EventDispatcher to locate the view in response to
  1110. events.
  1111. This method should only be called once the view has been inserted into the
  1112. DOM.
  1113. @method _register
  1114. @private
  1115. */
  1116. _register() {
  1117. Ember.assert("Attempted to register a view with an id already in use: "+this.elementId, !this._viewRegistry[this.elementId]);
  1118. this._viewRegistry[this.elementId] = this;
  1119. },
  1120. /**
  1121. Removes the view from the view registry. This should be called when the
  1122. view is removed from DOM.
  1123. @method _unregister
  1124. @private
  1125. */
  1126. _unregister() {
  1127. delete this._viewRegistry[this.elementId];
  1128. },
  1129. registerObserver(root, path, target, observer) {
  1130. if (!observer && 'function' === typeof target) {
  1131. observer = target;
  1132. target = null;
  1133. }
  1134. if (!root || typeof root !== 'object') {
  1135. return;
  1136. }
  1137. var scheduledObserver = this._wrapAsScheduled(observer);
  1138. addObserver(root, path, target, scheduledObserver);
  1139. this.one('willClearRender', function() {
  1140. removeObserver(root, path, target, scheduledObserver);
  1141. });
  1142. },
  1143. _wrapAsScheduled(fn) {
  1144. var view = this;
  1145. var stateCheckedFn = function() {
  1146. view.currentState.invokeObserver(this, fn);
  1147. };
  1148. var scheduledFn = function() {
  1149. run.scheduleOnce('render', this, stateCheckedFn);
  1150. };
  1151. return scheduledFn;
  1152. }
  1153. });
  1154. // jscs:enable validateIndentation
  1155. deprecateProperty(View.prototype, 'state', '_state');
  1156. deprecateProperty(View.prototype, 'states', '_states');
  1157. /*
  1158. Describe how the specified actions should behave in the various
  1159. states that a view can exist in. Possible states:
  1160. * preRender: when a view is first instantiated, and after its
  1161. element was destroyed, it is in the preRender state
  1162. * inBuffer: once a view has been rendered, but before it has
  1163. been inserted into the DOM, it is in the inBuffer state
  1164. * hasElement: the DOM representation of the view is created,
  1165. and is ready to be inserted
  1166. * inDOM: once a view has been inserted into the DOM it is in
  1167. the inDOM state. A view spends the vast majority of its
  1168. existence in this state.
  1169. * destroyed: once a view has been destroyed (using the destroy
  1170. method), it is in this state. No further actions can be invoked
  1171. on a destroyed view.
  1172. */
  1173. // in the destroyed state, everything is illegal
  1174. // before rendering has begun, all legal manipulations are noops.
  1175. // inside the buffer, legal manipulations are done on the buffer
  1176. // once the view has been inserted into the DOM, legal manipulations
  1177. // are done on the DOM element.
  1178. var mutation = EmberObject.extend(Evented).create();
  1179. // TODO MOVE TO RENDERER HOOKS
  1180. View.addMutationListener = function(callback) {
  1181. mutation.on('change', callback);
  1182. };
  1183. View.removeMutationListener = function(callback) {
  1184. mutation.off('change', callback);
  1185. };
  1186. View.notifyMutationListeners = function() {
  1187. mutation.trigger('change');
  1188. };
  1189. /**
  1190. Global views hash
  1191. @property views
  1192. @static
  1193. @type Hash
  1194. */
  1195. View.views = {};
  1196. // If someone overrides the child views computed property when
  1197. // defining their class, we want to be able to process the user's
  1198. // supplied childViews and then restore the original computed property
  1199. // at view initialization time. This happens in Ember.ContainerView's init
  1200. // method.
  1201. View.childViewsProperty = childViewsProperty;
  1202. export default View;
  1203. export { ViewContextSupport, ViewChildViewsSupport, ViewStateSupport, TemplateRenderingSupport, ClassNamesSupport };