Coder Social home page Coder Social logo

smfoote / ember-sortable Goto Github PK

View Code? Open in Web Editor NEW

This project forked from adopted-ember-addons/ember-sortable

0.0 1.0 0.0 3.63 MB

Sortable UI primitives for Ember.js

Home Page: https://adopted-ember-addons.github.io/ember-sortable/

License: MIT License

JavaScript 90.56% HTML 0.89% Makefile 0.24% CSS 2.08% Handlebars 6.23%

ember-sortable's Introduction

Ember-sortable

npm version Build Status Downloads Weekly Ember Observer Score Code Climate

Sortable UI primitives for Ember.

ember-sortable in action

Check out the demo

2.2.0 modifier support

Note 2.2.0 and above contains both component and modifiers invocation capabilities. This means that you will see a signficant size increase for ember-sortable, but it should help you with migrations to modifier, which is the path forward when we introduce v3.x.x

v1 -> v2 Migration

If you are migrating from 1.x.x to 2.x.x, For components, please read this migration guide. For modifiers, please read this migration guide.

Requirements

In version 2.0.0+, our closest polyfill seems to break some app's production build. To mitigate this, the closest polyfill will only enabled if it doesn't break the production build (if the polyfill file is recognized by the build). Affected apps will need to supply their own closest polyfill to ensure compatibility with IE. This issue is tracked here.

Version 1.0 depends upon the availability of 2D CSS transforms. Check the matrix on caniuse.com to see if your target browsers are compatible.

Installation

$ ember install ember-sortable

Usage

component

{{! app/templates/my-route.hbs }}

{{#sortable-group model=model.items onChange=(action "reorderItems") as |group|}}
  {{#each group.model as |modelItem|}}
    {{#group.item model=modelItem as |item|}}
      {{modelItem.name}}
      {{#item.handle}}
        <span class="handle">&varr;</span>
      {{/item.handle}}
    {{/group.item}}
  {{/each}}
{{/sortable-group}}

modifier

{{! app/templates/my-route.hbs }}

<ol {{sortable-group onChange=(action "reorderItems")}}>
  {{#each model.items as |modelItem|}}
    <li {{sortable-item model=modelItem}}>
      {{modelItem.name}}
      <span class="handle" {{sortable-handle}}>&varr;</span>
    </li>
  {{/each}}
</ol>

The onChange action is called with two arguments:

  • Your item models in their new order
  • The model you just dragged
// app/routes/my-route.js

export default Ember.Route.extend({
  actions: {
    reorderItems(itemModels, draggedModel) {
      this.set('currentModel.items', itemModels);
      this.set('currentModel.justDragged', draggedModel);
    }
  }
});

Declaring a “group model”

When groupModel is set on the sortable-group, the onChange action is called with that group model as the first argument:

{{! app/templates/my-route.hbs }}

{{#sortable-group groupModel=model model=model.items onChange=(action "reorderItems") as |group|}}
  {{#each group.model as |modelItem|}}
    {{#group.item model=modelItem as |item|}}
      {{modelItem.name}}
      {{#item.handle}}
        <span class="handle">&varr;</span>
      {{/item.handle}}
    {{/group.item}}
  {{/each}}
{{/sortable-group}}
// app/routes/my-route.js

export default Ember.Route.extend({
  actions: {
    reorderItems(groupModel, itemModels, draggedModel) {
      groupModel.set('items', itemModels);
    }
  }
});

The modifier version does not support groupModel, use the currying of action or the fn helper.

{{! app/templates/my-route.hbs }}

<ol {{sortable-group onChange=(action "reorderItems" model)}}>
  {{#each model.items as |modelItem|}}
    <li {{sortable-item model=modelItem}}>
      {{modelItem.name}}
      <span class="handle" {{sortable-handle}}>&varr;</span>
    </li>
  {{/each}}
</ol>

Changing sort direction

To change sort direction, define direction on sortable-group (default is y):

component

{{#sortable-group direction="x" onChange=(action "reorderItems") as |group|}}

modifier

<ol {{sortable-group direction="x" onChange=(action "reorderItems")}>

Changing spacing between currently dragged element and the rest of the group

When user starts to drag element, other elements jump back. Works both for the x and y direction option.

In y case: elements above current one jump up, and elements below current one - jump down. In x case: elements before current one jump to the left, and elements after current one - jump to the right.

To change this property, define spacing on sortable-item (default is 0):

component

{{#sortable-item spacing=15}}

modifier

<li {{sortable-item spacing=15}}>

Changing the drag tolerance

distance attribute changes the tolerance, in pixels, for when sorting should start. If specified, sorting will not start until after mouse is dragged beyond distance. Can be used to allow for clicks on elements within a handle.

component

{{#sortable-item distance=30}}

modifier

<li {{sortable-item distance=30}}>

CSS, Animation

Sortable items can be in one of three states: default, dragging, dropping. The classes look like this:

<!-- Default -->
<li class="sortable-item">...</li>
<!-- Dragging -->
<li class="sortable-item is-dragging">...</li>
<!-- Dropping -->
<li class="sortable-item is-dropping">...</li>

In our example app.css we apply a transition of .125s in the default case:

.sortable-item {
  transition: all .125s;
}

While an item is dragging we want it to move pixel-for-pixel with the user’s mouse so we bring the transition duration to 0. We also give it a highlight color and bring it to the top of the stack:

.sortable-item.is-dragging {
  transition-duration: 0s;
  background: red;
  z-index: 10;
}

While dropping, the is-dragging class is removed and the item returns to its default transition duration. If we wanted to apply a different duration we could do so with the is-dropping class. In our example we opt to simply maintain the z-index and apply a slightly different colour:

.sortable-item.is-dropping {
  background: #f66;
  z-index: 10;
}

Drag Actions

The onDragStart and onDragStop actions are available for the sortable-items. You can provide an action name to listen to these actions to be notified when an item is being dragged or not.

When the action is called, the item's model will be provided as the only argument.

// app/routes/my-route.js

export default Ember.Route.extend({
  actions: {
    dragStarted(item) {
      console.log(`Item started dragging: ${item.get('name')}`);
    },
    dragStopped(item) {
      console.log(`Item stopped dragging: ${item.get('name')}`);
    }
  }
});

component

  {{#sortable-item
    onDragStart=(action "dragStarted")
    onDragStop=(action "dragStopped")
    model=modelItem
    as |item|
  }}
    {{modelItem.name}}
    {{#item.handle}}
      <span class="handle">&varr;</span>
    {{/item.handle}}
  {{/sortable-item}}

modifier

  <li {{#sortable-item
    onDragStart=(action "dragStarted")
    onDragStop=(action "dragStopped")
    model=modelItem
    }}
  >
    {{modelItem.name}}
    <span class="handle" {{sortable-handle}}>&varr;</span>
  </li>

Multiple Ember-Sortables renders simultaneously (Modifier version)

The modifier version uses a service behind the scenes for communication between the group and the items and to maintain state. It does this seemlessly when the elements are rendered on the screen. However, if there are two sortables rendered at the same time, either in the same component or different components, the state management does not know which items belong to which group.

Both the {{sortable-group}} and {{sortable-item}} take an additional argument groupName. Should you encounter this conflict, assign a groupName to the group and items. You only need to do this for one of the sortables in conflict, but you can on both if you wish.

<ol {{sortable-group groupName="products" onChange=(action "reorderItems" model)}}>
  {{#each model.items as |modelItem|}}
    <li {{sortable-item groupName="products" model=modelItem}}>
      {{modelItem.name}}
      <span class="handle" {{sortable-handle}}>&varr;</span>
    </li>
  {{/each}}
</ol>

Ensure that the same name is passed to both the group and the items, this would be best accomplished by creating property on the component and referring to that property. If you are able to use the {{#let}} helper (useful in template only components), using {{#let}} makes the usage clearer.

{{#let "products" as | myGroupName |}}
  <ol {{sortable-group groupName=myGroupName onChange=(action "reorderItems" model)}}>
    {{#each model.items as |modelItem|}}
      <li {{sortable-item groupName=myGroupName model=modelItem}}>
        {{modelItem.name}}
        <span class="handle" {{sortable-handle}}>&varr;</span>
      </li>
    {{/each}}
  </ol>
{{/let}}

Disabling Drag (Experimental)

sortable-item (component and modifier) exposes an optional isDraggingDisabled flag that you can use to disable drag on the particular item. This flag is intended as an utility to make your life easier with 3 main benefits:

  1. You can now specify which sortable-item are not intended to be draggable/sortable.
  2. You do not have to duplicate the sortable-item UI just for the purpose of disabling the sorting behavior.
  3. Allows you to access the entire list of models for your onChange action, which can now be a mix of sortable and non-sortable items.

Data down, actions up

No data is mutated by sortable-group or sortable-item. In the spirit of “data down, actions up”, a fresh array containing the models from each item in their new order is sent via the group’s onChange action.

Each item takes a model property. This should be fairly self-explanatory but it’s important to note that it doesn’t do anything with this object besides keeping a reference for later use in onChange.

Accessibility

The sortable-group has support for the following accessibility functionality:

Built-in Functionalities

Semantic HTML

component

  • sortable-group an ordered list, ol, by default.
  • sortable-item a list item, li, by default.

The modifier version can be attached to to any element that makes sense,

Keyboard Navigation

There are 4 modes during keyboard navigation:

  • ACTIVATE enables the keyboard navigation. Activate via ENTER/SPACE
  • MOVE enables item(s) to be moved up, down, left, or right based on direction. Activate via ARROW UP/DOWN/LEFT/RIGHT
  • CONFIRM submits the new sort order, invokes the onChange action. Activate via ENTER/SPACE.
  • CANCEL cancels the new sort order, reverts back to the old sort order. Activate via ESCAPE or when focus is lost.
Focus Management
  • When focus is on a item or handle, user can effectively select the item via ENTER/SPACE. This is the ACTIVATE mode.
  • While ACTIVATE, the focus is locked on sortable-group container and will not be lost until CONFIRM, CANCEL, or focus is lost.

User configurable

Screen Reader
  • a11yItemName a name for the item.
  • a11yAnnouncementConfig a map of action enums to functions that takes the following config, which is exposed by sortable-group.
a11yAnnounceConfig = {
  a11yItemName, // name associated with the name
  index, // 0-based
  maxLength, // length of the items
  direction, // x or y
  delta, // +1 means down or right, -1 means up or left
}

and returns a string constructed from the config.

Example

{
  ACTIVATE: function({ a11yItemName, index, maxLength, direction }) {
    let message = `${a11yItemName} at position, ${index + 1} of ${maxLength}, is activated to be repositioned.`;
    if (direction === 'y') {
      message += 'Press up and down keys to change position,';
    } else {
      message += 'Press left and right keys to change position,';
    }

    message += ' Space to confirm new position, Escape to cancel.';

    return message;
  },
  MOVE: function({ a11yItemName, index, maxLength, delta }) {
    return `${a11yItemName} is moved to position, ${index + 1 + delta} of ${maxLength}. Press Space to confirm new position, Escape to cancel.`;
  },
  CONFIRM: function({ a11yItemName}) {
    return `${a11yItemName} is successfully repositioned.`;
  },
  CANCEL: function({ a11yItemName }) {
    return `Cancelling ${a11yItemName} repositioning`;
  }
}
Visual Indicator
  • handleVisualClass This class will be added to the sortable-handle during ACTIVATE and MOVE operations. This allows you to add custom styles such as visual arrows via pseudo classes.

  • itemVisualClass This class will be added to the sortable-item during ACTIVATE and MOVE operations. This is needed to creating a visual indicator that mimics focus b/c the native focus is on the container.

Testing

ember-sortable exposes some acceptance test helpers:

  • drag: Drags elements by an offset specified in pixels.
  • reorder: Reorders elements to the specified state.
  • keyboard: Keycode constants for quick.

To include them in your application, you can import them:

import { drag, reorder }  from 'ember-sortable/test-support/helpers';
import { ENTER_KEY_CODE, SPACE_KEY_CODE, ESCAPE_KEY_CODE, ARROW_KEY_CODES } from "ember-sortable/test-support/utils/keyboard";

Examples

Reorder

await reorder(
  'mouse',
  '[data-test-vertical-demo-handle]',
  ...order
);

Drag

await drag('mouse', '[data-test-scrollable-demo-handle] .handle', () => { return {dy: itemHeight() * 2 + 1, dx: undefined}});

Keyboard

await triggerKeyEvent(
  '[data-test-vertical-demo-handle]',
  'keydown',
  ENTER_KEY_CODE
);

Developing

Setup

$ git clone [email protected]:adopted-ember-addons/ember-sortable
$ cd ember-sortable
$ ember install

Dev Server

$ ember serve

Running Tests

$ npm test

Publishing Demo

$ make demo

ember-sortable's People

Contributors

2hu12 avatar acburdine avatar cah-brian-gantzler avatar chriskrycho avatar dependabot[bot] avatar dhaulagiri avatar drapergeek avatar estshy avatar eugeniodepalo avatar fivetanley avatar froskos avatar jgwhite avatar jmar910 avatar jmurphyau avatar mixonic avatar mupkoo avatar nbibler avatar nlfurniss avatar paulcpk avatar raelbr avatar raulb avatar rlivsey avatar rmachielse avatar ryanholte avatar samhogg avatar scottmessinger avatar seanpdoyle avatar tim-evans avatar ujamer avatar ygongdev avatar

Watchers

 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.