1.0.6 • Published 5 years ago

v-table-resizable v1.0.6

Weekly downloads
1
License
MIT
Repository
github
Last release
5 years ago

Vue Resizable Table (+vue-tables-2)

GitHub license

Click here to see the client component in action. DEMO

Usage

Dependencies

  • Vue.js (>=2.0)
  • Server Side: axios OR vue-resource (>=0.9.0) OR jQuery for the AJAX requests

Compatibility

  • Vuex (>=2.0)
  • Bootstrap 3 / Bootstrap 4 / Bulma

Installation

npm install v-table-resizable

Require the script:

import {ServerTable, ClientTable, Event} from 'v-table-resizable';

Register the component(s)

Vue.use(ClientTable, [options = {}], [useVuex = false], [theme = 'bootstrap3'], [template = 'default']);

Or/And:

Vue.use(ServerTable, [options = {}], [useVuex = false], [theme = 'bootstrap3'], [template = 'default']);
  • useVuex is a boolean indicating whether to use vuex for state management, or manage state on the component itself. If you set it to true you must add a name prop to your table, which will be used to register a module on your store. Use vue-devtools to look under the hood and see the current state.

Note: If you are using vue-router or simply toggling the table with v-if, set the preserveState option to true.

  • theme Use this option to select a CSS framework. Options:'bootstrap3','bootstrap4','bulma'. You can also pass you own theme. Use a file from the themes folder as boilerplate.

  • template Use this option to select an HTML template. Currently supported: 'default', 'footerPagination' You can also pass your own template. Use a file from the templates folder as boilerplate.

Note: You may need to add a little styling of your own. If you come up with some improvments to the templates or themes, which brings them closer to the optimum, you are welcome to send a PR.

Note: The template is written using jsx, so you will need a jsx compiler to modify it (the package is using the compiled version under the compiled folder).

Using Script Tag

If you are not using NPM you can also import the minified version found in dist/v-table-resizable.min.js. Copy the file into your project and import it:

<script src="/path/to/v-table-resizable.min.js"></script>

This will expose a global VueTables object containing ClientTable, ServerTable and Event as properties.

E.g:

Vue.use(VueTables.ClientTable);

Client Side

Add the following element to your page wherever you want it to render. Make sure to wrap it with a parent element you can latch your vue instance into.

<div id="people">
  <v-client-table :data="tableData" :columns="columns" :options="options"></v-client-table>
</div>

Create a new Vue instance (You can also nest it within other components). An example works best to illustrate the syntax:

new Vue({
    el: "#people",
    data: {
        columns: ['id', 'name', 'age'],
        tableData: [
            { id: 1, name: "John", age: "20" },
            { id: 2, name: "Jane", age: "24" },
            { id: 3, name: "Susan", age: "16" },
            { id: 4, name: "Chris", age: "55" },
            { id: 5, name: "Dan", age: "40" }
        ],
        options: {
            // see the options API
        }
    }
});

You can access the filtered dataset at any given moment by fetching the filteredData computed property of the table, using ref as a pointer (this.$refs.myTable.filteredData); This will return the current page. To access the entire filtered dataset use allFilteredData instead.

Important: when loading data asynchronously add a v-if conditional to the component along with some loaded flag, so it will only compile once the data is attached.

Grouping

The client component supports simple grouping of rows by a common value. By simple we mean that the grouping is merely presentational, and not backed by a real model-level data grouping (i.e the data is NOT divided into distinct arrays). you can group by any property on your dataset. For example, for a table of countries you can group by a continent property. Simply declare in your options groupBy:'continent'.

If you want to present some additional meta-data realted to each value, you can use the groupMeta option, along with the dedicated __group_meta scoped slot. For example:

groupBy:'continent',
groupMeta:[
   {
       value:'Africa',
       data:{
           population:1216,
           countries:54
       }
   },
   {
       value:'Asia',
       data:{
           population:4436
           countries:48
       }
   },
   {
       value:'Europe',
       data:{
           population:741.4,
           countries:50
       }
   }
   // etc...
]
<span slot="__group_meta" slot-scope="{ value, data }">
  {value} has {data.countries} countries and a population of {data.population} million
</span>

Server side

<div id="people">
  <v-server-table url="/people" :columns="columns" :options="options"></v-server-table>
</div>

Javascript:

new Vue({
    el: "#people",
    data: {
        columns: ['id', 'name', 'age'],
        options: {
            // see the options API
        }
    }
});

All the data is passed in the following GET parameters:

  • query,
  • limit,
  • page,
  • orderBy,
  • ascending,
  • byColumn.

You need to return a JSON object with two properties:

  • data : array - An array of row objects with identical keys.
  • count: number - Total count before limit.

Note: If you are calling a foreign API or simply want to use your own keys, refer to the responseAdapter option.

Custom Request Function

by default the library supports JQuery, vue-resource and axios as ajax libraries. If you wish to use a different library, or somehow alter the request (e.g add auth headers, or manipulate the data) use the requestFunction option. E.g:

options: {
    requestFunction: function (data) {
        return axios.get(this.url, {
            params: data
        }).catch(function (e) {
            this.dispatch('error', e);
        }.bind(this));
    }
}

Note: when using a custom request function, the url prop is not required.

Nested Data

Oftentimes your dataset will consist of objects, rather than primitive types. By default, the package has no knowledge of how those objects should be presented. To tell the package how to handle those fields you can use one of two options, depending on your needs:

  1. Decide which primitive property you would like to refer to as the relevant piece of data, by using the dot notation when declaring you columns prop. E.g: ['name','age','meta.education.degree']
  2. Use Templates

Option 1 is more simple and straight-forward. However, it disregards all the other properties, which means that sorting, filtering and presentation will all refer to the single piece of primitive data at the "end of the chain".

If you want to use the entire object, option 2 is your best route. This will allow you to incorporate all the properties in the presentation. When using the client component note that:

  • Default filtering behaviour will recursively scan the entire object for the query.
  • If the column is sortable, you will need to define a sorting algorithm, using the customSorting#custom-sorting option.

Templates

Templates allow you to wrap your cells with vue-compiled HTML. It can be used in any of the following ways:

Scoped Slots

If you are using Vue 2.1.0 and above, you can use scoped slots to create templates:

<v-clienttable :data="entries" :columns="['id', 'name' ,'age', 'edit']">
      <a slot="edit" slot-scope="props" class="fa fa-edit" :href="edit(props.row.id)"></a>
</v-clienttable>

Note: You can get the index of the current row relative to the entire data set using props.index

Virtual DOM Functions

The syntax for Virtual DOM function is similar to that of render functions, as it leverages the virtual DOM to bind the templates into the main table template.

If you choose this option, it is recommended to use JSX, which closely resembles HTML, to write the templates (To compile jsx you need to install the vue jsx transform).

E.g.:

data: {
    columns: ['erase'],
    options: {
        ...
        templates: {
            erase: function (h, row, index) {
                return <delete id = {row.id}>< /delete>
            }
        }
        ...
    }
}

The first parameter is the h scope used to compile the element. It MUST be called h. The second parameter gives you access to the row data. In addition a this context will be available, which refers to the root vue instance. This allows you to call your own instance methods directly. Note: when using a .vue file jsx must be imported from a dedicated .jsx file in order to compile correctly. E.g

edit.jsx

export default function(h, row, index) {
return <a class='fa fa-edit' href={'#/' + row.id + '/edit'}></a>
}

app.vue

<script>
  import edit from './edit'

  templates: {
      edit
  }
</script>

Vue Components

Another option to for creating templates is to encapsulate the template within a component and pass the name. The component must have a data property, which will receive the row object. You can also add an optional index prop, to get the non-zero-based index of the current row relative to the entire dataset, and an optional column prop to get the current column. E.g:

Vue.component('delete', {
    props: ['data', 'index', 'column'],
    template: `<a class='delete' @click='erase'></a>`,
    methods: {
        erase() {
            let id = this.data.id; // delete the item
        }
    }
});
options: {
    ...
    templates: {
        erase: 'delete'
    }
    ...
}

This method allows you to also use single page .vue files for displaying the template data E.g: edit.vue

<template>
  <a class="fa fa-edit" :href="edit(data.id)">Edit</a>
</template>

<script>
  export default {
      props: ['data', 'index'],
  }
</script>

app.vue

<script>
  import edit from './edit'

  templates: {
      edit
  }
</script>

Important:

  • To use components in your templates they must be declared globally using Vue.component().
  • Templates must be declared in the columns prop

Note: Don't include HTML directly in your dataset, as it will be parsed as plain text.

Child Rows

Child rows allow for a custom designed output area, namely a hidden child row underneath each row, whose content you are free to set yourself.

When using the childRow option you must pass a unqiue id property for each row, which is used to track the current state. If your identifer key is not id, use the uniqueKey option to set it.

The syntax is identincal to that of templates:

Using Scoped Slots:

<template slot="child_row" scope="props">
  <div><b>First name:</b> {{props.row.first_name}}</div>
  <div><b>Last name:</b> {{props.row.last_name}}</div>
</template>

Using a function and (optional) JSX:

    options:{
    ...
    childRow: function(h, row) {
      return <div>My custom content for row {row.id}</div>
    }
    ...
}

Using a component name or a .vue file: (See Templates above for a complete example)

    options:{
    ...
        childRow: 'row-component'
    ...
}

When the plugin detects a childRow function it appends the child rows and prepends to each row an additional toggler column with a span you can design to your liking.

Example styling (also found in style.css):

.VueTables__child-row-toggler {
    width: 16px;
    height: 16px;
    line-height: 16px;
    display: block;
    margin: auto;
    text-align: center;
}

.VueTables__child-row-toggler--closed::before {
    content: "+";
}

.VueTables__child-row-toggler--open::before {
    content: "-";
}

You can also trigger the child row toggler programmtically. E.g, to toggle the row with an id of 4:

this.$refs.myTable.toggleChildRow(4); // replace myTable with your own ref

Methods

Call methods on your instance using the ref attribute.

  • setPage(page)
  • setLimit(recordsPerPage)
  • setOrder(column, isAscending)
  • setFilter(query) - query should be a string, or an object if filterByColumn is set to true.
  • getData() Get table data using the existing request parameters. Server component only.
  • refresh() Refresh the table. This method is simply a wrapper for the serverSearch method, and thus resets the pagination. Server component only
  • getOpenChildRows(rows = null) If no argument is supplied returns all open child row components in the page. To limit the returned dataset you can pass the rows arguemnt, which should be an array of unique identifiers.

Note: A. This method is only to be used when the child row is a component. B. In order for this method to work you need to set the name property on your component to ChildRow

Properties

Get properties off your instance using the ref attribute.

  • openChildRows array The ids of all the currently open child rows

Events

Using Custom Events (For child-parent communication):

<v-servertable :columns="columns" url="/getData" @loaded="onLoaded"></v-servertable>
  • Using the event bus:
Event.$on('vue-tables.loaded', function (data) {
    // Do something
});

Note: If you are using the bus and want the event to be "namespaced", so you can distinguish bewteen different tables on the same page, use the name prop. The event name will then take the shape of vue-tables.tableName.eventName.

  • Using Vuex:
mutations: {
    ['tableName/LOADED'](state, data) {
        // Do something
    }
}
  • vue-tables.filter / tableName/FILTER

Fires off when a filter is changed. Sends through the name and value in case of column filter, or just the value in case of the general filter

  • vue-tables.filter::colName

Same as above, only this one has the name attached to the event itself, and only sends through the value. Releveant only for non-vuex tables with filterByColumn set to true.

  • vue-tables.sorted /tableName/SORTED`

Fires off when the user sorts the table. Sends through the column and direction. In case of multisorting (Shift+Click) an array will be sent sorted by precedence.

  • vue-tables.loading / tableName/LOADING (server)

Fires off when a request is sent to the server. Sends through the request data.

  • vue-tables.loaded / tableName/LOADED (server)

Fires off after the response data has been attached to the table. Sends through the response.

You can listen to those complementary events on a parent component and use them to add and remove a loading indicator, respectively.

  • vue-tables.pagination / tableName/PAGINATION

Fires off whenever the user changes a page. Send through the page number.

  • vue-tables.limit / tableName/LIMIT

Fires off when the per page limit is changed

  • vue-tables.error / tableName/ERROR (server)

Fires off if the server returns an invalid code. Sends through the error

  • vue-tables.row-click / tableName/ROW_CLICK

Fires off after a row was clicked. sends through the row and the mouse event. When using the client component, if you want to recieve the original row, so that it can be directly mutated, you must have a unique row identifier. The key defaults to id, but can be changed using the uniqueKey option.

Date Columns

For date columns you can use daterangepicker as a filter instead of the normal free-text input. Note that you must import all the dependencies (JQuery + moment.js + daterangepicker) GLOBALLY, i.e on the window scope. You can check if this is so by typing typeof $().daterangepicker in the console. If it returns function you are good to go. To tell the plugin which columns should be treated as date columns use the dateColumns option. (E.g: dateColumns:['created_at','executed_at']).

For the client component the date must be rendered as a moment object for the filtering to work. You can use the toMomentFormat option to do that for you. It accepts the current format of the dates in your dataset, and uses it to convert those dates to moment objects. E.g, if you have a created_at column with a date like 2017-12-31, you can use toMomentFormat: 'YYYY-MM-DD'. To decide the presentation of the dates use the dateFormat option.

On the server component the filter will be sent along with the request in the following format:

{
    query:{
        created_at:{
            start: '2010-12-31 00:00:00',
            end: '2011-12-31 00:00:00'       
        }
    }
}

date presentation on the server component is completely up to you. If you are unable to control the server response, you can use the templates option to "massage" the date you get from the server into the desired format.

Custom Filters

Custom filters allow you to integrate your own filters into the plugin using Vue's events system.

Client Side Filters

  1. use the customFilters option to declare your filters, following this syntax:
customFilters: [{
    name: 'alphabet',
    callback: function (row, query) {
        return row.name[0] == query;
    }
}]
  1. Using the event bus:
Event.$emit('vue-tables.filter::alphabet', query);
  1. Using vuex:
this.$store.commit('myTable/SET_CUSTOM_FILTER', {filter:'alphabet', value:query})

Server Side Filters

A. use the customFilters option to declare your filters, following this syntax:

customFilters: ['alphabet','age-range']

B. the same as in the client component.

List Filters

When filtering by column (option filterByColumn:true), the listColumns option allows for filtering columns whose values are part of a list, using a select box instead of the default free-text filter.

For example:

options: {
    filterByColumn: true,
    listColumns: {
        animal: [{
                id: 1,
                text: 'Dog'
            },
            {
                id: 2,
                text: 'Cat',
                hide:true
            },
            {
                id: 3,
                text: 'Tiger'
            },
            {
                id: 4,
                text: 'Bear'
            }
        ]
    }
}

Note: The values of this column should correspond to the id's passed to the list. They will be automatically converted to their textual representation.

Adding hide:true to an item, will exclude it from the options presented to the user

Columns Visibility

If you would like to enable the user to control the columns' visibility set the columnsDropdown option to true. This will add a dropdown button to the left of the per-page control. The drop down will contain a list of the columns with checkboxes to toggle visibility.

The columnsDropdown option can work in conjunction with columnsDisplay. The rule is that as long as the user hasn't toggled a column himself, the rules you have declared in columnsDisplay takes precedence. Once the user toggled a column, he is in charge of columns' visibility, and the settings of columnsDisplay are disregarded.

Custom Sorting

Client Side Sorting

Sometimes you may one to override the default sorting logic which is applied uniformly to all columns. To do so use the customSorting option. This is an object that recieves custom logic for specific columns. E.g, to sort the name column by the last character:

customSorting: {
    name: function (ascending) {
        return function (a, b) {
            var lastA = a.name[a.name.length - 1].toLowerCase();
            var lastB = b.name[b.name.length - 1].toLowerCase();

            if (ascending)
                return lastA >= lastB ? 1 : -1;

            return lastA <= lastB ? 1 : -1;
        }
    }
}

Server Side Sorting

This depends entirely on your backend implemetation as the library sends the sorting direction trough the request.

Multiple Sorting

Multiple sorting allows you to sort recursively by multiple columns. Simply put, when the primary column (i.e the column the user is currently sorting) has two or more identical items, their order will be determined by a secondary column, and so on, until the list of columns is exhausted.

Example usage:

{
    ...
    multiSorting: {
        name: [
            {
                column: 'age',
                matchDir: false
            },
            {
                column: 'birth_date',
                matchDir: true
            }
        ]
    }
    ...
}

The above code means that when the user is sorting by name and identical names are compared, their order will be determined by the age column. If the ages are also identical the birth_date column will determine the order. The matchDir property tells the plugin whether the secondary sorting should match the direction of the primary column (i.e ascending/descending), or not.

In addition to programmatically setting the sorting in advance, by default the user can also use Shift+Click to build his own sorting logic in real time. To disable this option set clientMultiSorting to false.

On the server component this behaviour is disabled by default, because it requires addtional server logic to handle the request. To enable it set serverMultiSorting to true. The request will then contain a multiSort array, if applicable.

Slots

Slots allow you to insert you own custom HTML in predefined positions within the component:

  • beforeTable: Before the table wrapper. After the controls row
  • afterTable: Before the table wrapper.
  • beforeFilter: Before the global filter (filterByColumn: false)
  • afterFilter: After the global filter
  • beforeLimit: Before the per page control
  • afterLimit: After the per page control
  • beforeFilters: Before the filters row (filterByColumn: true)
  • afterFilters: After the filters row
  • beforeBody: Before the <tbody> tag
  • afterBody: After the <tbody> tag
  • prependBody: Prepend to the <tbody> tag
  • appendBody: Append to the <tbody> tag

In addition to these slots you can insert your own filter HTML in the filters row, or add content to the existing filter, e.g a button (When filterByColumn is set to true):

A. If you just want your own content make sure that the column is not filterable by omitting it from the filterable array. Otherwise the slot content will be appended to the native filter.

B. Create a slot whose name is formatted filter__{column} (double underscore).

For example, to insert a checkbox on the id column instead of the normal input filter:

{
  filterable:["name","age"] // omit the `id` column
}
<div slot="filter__id">
    <input type="checkbox" class="form-control" v-model="allMarked" @change="markAll()">
</div>

Options

Options are set in three layers, where the more particular overrides the more general.

  1. Pre-defined component defaults.
  2. Applicable user-defined defaults for the global Vue Instance. Passed as the second paramter to the Use statement.
  3. Options for a single table, passed through the options prop.
OptionTypeDescriptionDefault
childRowFunctionSee documentationfalse
childRowTogglerFirstBooleanShould the child row be positioned at the first column or the last onetrue
clientMultiSortingBooleanEnable multiple columns sorting using Shift + Click on the client componenttrue
toggleGroups (client-side)BooleanWhen using the groupBy option, settings this to true will make group's visibility togglable, by turning the group name into a buttonfalse
columnsClassesObjectAdd class(es) to the specified columns. Takes key-value pairs, where the key is the column name and the value is a string of space-separated classes{}
columnsDisplayObjectResponsive display for the specified columns. Columns will only be shown when the window width is within the defined limits. Accepts key-value pairs of column name and device. Possible values are mobile (x < 480), mobileP (x < 320), mobileL (320 <= x < 480), tablet (480 <= x < 1024), tabletP (480 <= x < 768), tabletL (768 <= x < 1024), desktop (x >= 1024). All options can be preceded by the logical operators min,max, and not followed by an underscore.For example, a column which is set to not_mobile will be shown when the width of the window is greater than or equal to 480px, while a column set to max_tabletP will only be shown when the width is under 768px{}
columnsDropdownBooleanSee documentationfalse
customFiltersArraySee documentation[]
customSorting (client-side)ObjectSee documentation{}
dateColumnsArrayUse daterangepicker as a filter for the specified columns (when filterByColumn is set to true).Dates should be passed as moment objects, or as strings in conjunction with the toMomentFormat option[]
dateFormatStringFormat to display date objects (client component). Using momentjs. This will also affect the datepicker on both componentsDD/MM/YYYY
dateFormatPerColumnObjectoverride the default date format for specific columns{}
datepickerOptionsObjectOptions for the daterangepicker when using a date filter (see dateColumns){ locale: { cancelLabel: 'Clear' } }
datepickerPerColumnOptionsObjectadditional options for specific columns, to be merged with datepickerOptions. Expects an object where the key is a column name, and the value is an options object{}
debounceNumberNumber of idle milliseconds (no key stroke) to wait before sending a request. Used to detect when the user finished his query in order to avoid redundant requests (server) or rendering (client)500
descOrderColumnsArrayBy default the initial sort direction is ascending. To override this for specific columns pass them into this option[]
destroyEventBusBooleanShould the plugin destroy the event bus before the table component is destroyed? Since the bus is shared by all instances, only set this to true if you have a single instance in your pagefalse
filterableArray / BooleanFilterable columns true - All columns.Set to false or [] to hide the filter(s). Single filter mode (filterByColumn:false) is also affected
footerHeadingsBooleanDisplay headings at the bottom of the table toofalse
headingsObjectTable headings.Can be either a string or a function, if you wish to inject vue-compiled HTML.E.g: function(h) { return <h2>Title</h2>}Note that this example uses jsx, and not HTML.The this context inside the function refers to the direct parent of the table instance. Another option is to use a slot, named "h__{column}"If no heading is provided the default rule is to extract it from the first row properties, where underscores become spaces and the first letter is capitalized
groupBy (client-side)StringGroup rows by a common property. E.g, for a list of countries, group by the continent propertyfalse
groupMeta (client-side)ArrayMeta data associated with each group value. To be used in conjunction with groupBy. See documentation for a full example[]
headingsTooltipsObjectTable headings tooltips.Can be either a string or a function, if you wish to inject vue-compiled HTML. Renders as title attribute of <th>. E.g: function(h) { return 'Expanded Title'}The this context inside the function refers to the direct parent of the table instance.
highlightMatchesBooleanHighlight matchesfalse
initFiltersObjectSet initial values for all filter types: generic, by column or custom. Accepts an object of key-value pairs, where the key is one of the following: a. "GENERIC" - for the generic filterb. column name - for by column filters.c. filter name - for custom filters. In case of date filters the date range should be passed as an object comprised of start and end properties, each being a moment object.{}
initialPageNumberSet the initial page to be displayed when the table loads1
listColumnsObjectSee documentation{}
multiSorting (client-side)ObjectSee documentation{}
orderBy.ascendingBooleaninitial order directionorderBy: { ascending:true }
orderBy.columnStringinitial column to sort byOriginal dataset order
pagination.chunkNumbermaximum pages in a chunk of paginationpagination: { chunk:10 }
pagination.dropdownBooleanuse a dropdown select pagination next to the records-per-page list, instead of links at the bottom of the table.pagination: { dropdown:false }
pagination.navStringWhich method to use when navigating outside of chunk boundries. Options are : scroll - the range of pages presented will incrementally change when navigating to a page outside the chunk (e.g 1-10 will become 2-11 once the user presses the next arrow to move to page 11). fixed - navigation will occur between fixed chunks (e.g 1-10, 11-20, 21-30 etc.). Double arrows will be added to allow navigation to the beginning of the previous or next chunkpagination: { nav: 'fixed' }
pagination.edgeBooleanShow 'First' and 'Last' buttonspagination: { edge: false }
params (server-side)ObjectAdditional parameters to send along with the request{}
perPagenumberInitial records per page10
perPageValuesArrayRecords per page options[10,25,50,100]
preserveStateBooleanPreserve dynamically created vuex module when the table is destroyedfalse
requestAdapter (server-side)FunctionSet a custom request formatfunction(data) { return data; }
requestFunction (server-side)FunctionSet a custom request functionSee documentation
requestKeys (server-side)ObjectSet your own request keys{ query:'query', limit:'limit', orderBy:'orderBy', ascending:'ascending', page:'page', byColumn:'byColumn' }
responseAdapter (server-side)FunctionTransform the server response to match the format expected by the client. This is especially useful when calling a foreign API, where you cannot control the response on the server-sidefunction(resp) { var data = this.getResponseData(resp); return { data: data.data, count: data.count } }
rowClassCallbackFunctionAdd dynamic classes to table rows. E.g function(row) { return row-${row.id}} This can be useful for manipulating the appearance of rows based on the data they containfalse
saveStateBooleanConstantly save table state and reload it each time the component mounts. When setting it to true, use the name prop to set an identifier for the tablefalse
sendEmptyFilters (server-side)BooleanWhen filtering by column send all request keys, including empty onesfalse
serverMultiSortingBooleanEnable multiple columns sorting using Shift + Click on the server componentfalse
skinStringSpace separated table styling classestable-striped table-bordered table-hover
sortIconStringSort icon classes{ base:'glyphicon', up:'glyphicon-chevron-up', down:'glyphicon-chevron-down', is:'glyphicon-sort' }
sortableArraySortable columnsAll columns
sortingAlgorithmFunctiondefine your own sorting algorithmfunction (data, column) { return data.sort(this.getSortFn(column));}
storageStringWhich persistance mechanism should be used when saveState is set to true: local - localStorage. session - sessionStoragelocal
templatesObjectSee documentation{}
textsObjectsee the texts object in defaults.js
toMomentFormat (client-side)Stringtransform date columns string values to momentjs objects using this format. If this option is not used the consumer is expected to pass momentjs objects himselffalse
uniqueKeyStringThe key of a unique identifier in your dataset, used to track the child rows, and return the original row in row click eventid
resizableStringThe key used for enable resizing. For enable resizing from headers of table use 'th' and for enabling resizing in all td/th columns use 'table' as valuesfalse

Credits

Credit for the main codebase is to Matanya's Vue Table 2. Thanks, Matanya for creating such a wonderful component. I've taken a fork from the repository and added additional functionality to it.

License

Component is MIT licensed.