Usage
Signature:
final class ArrayDataProvider<K, D> implements DataProvider<K, D>
- Generic Parameters
- Parameter - Description - K - Type of Key - D - Type of Data 
- Typescript Import Format
- //This class is exported directly as module. To import it
 import ArrayDataProvider= require("ojs/ojarraydataprovider");
For additional information visit:
Final classes in JET
Classes in JET are generally final and do not support subclassing. At the moment, final is not enforced. However, this will likely change in an upcoming JET release.
Constructor
new ArrayDataProvider(data, options)
Parameters:
| Name | Type | Argument | Description | 
|---|---|---|---|
| data | Array | function():Array | data supported by the components This can be either an Array, or a Knockout observableArray. | |
| options | ArrayDataProvider.Options<K, D> | ArrayDataProvider.DeprecatedOptions.<D> | <optional> | Options for the ArrayDataProvider | 
Examples
// First initialize an array
let deptArray = [{DepartmentId: 10, DepartmentName: 'Administration', LocationId: 200},
                 {DepartmentId: 20, DepartmentName: 'Marketing', LocationId: 200},
                 {DepartmentId: 30, DepartmentName: 'Purchasing', LocationId: 200}];
// Then create an ArrayDataProvider object with the array
let dataprovider = new ArrayDataProvider(deptArray, {keyAttributes: 'DepartmentId'});// Data and Key array
let deptArray = [{DepartmentId: 10, DepartmentName: 'Administration', LocationId: 200},
                 {DepartmentId: 20, DepartmentName: 'Marketing', LocationId: 200},
                 {DepartmentId: 30, DepartmentName: 'Purchasing', LocationId: 200}];
let keysArray = [10, 20, 30];
let dataprovider = new ArrayDataProvider(deptArray, {keyAttributes: 'DepartmentId', keys: keysArray});Methods
- 
        
    
    
      (static) getCapability(capabilityName: string): any
- 
    
    
    A static method that determines whether this DataProvider defines a certain feature.Parameters:Name Type Description capabilityNamestring capability name. Defined capability names are: "dedup", "eventFiltering", "fetchByKeys", "fetchByOffset", "fetchCapability", "fetchFirst", "filter", and "sort". - Since:
- 14.0.0
 
 Returns:capability information or null if undefined - Type
- Object
 
- 
        
    
    
      addEventListener(eventType: string, listener: EventListener): void
- 
    
    
    Add a callback function to listen for a specific event type.Parameters:Name Type Description eventTypestring The event type to listen for. listenerEventListener The callback function that receives the event notification. 
- 
        
    
    
      containsKeys(parameters : FetchByKeysParameters<K>) : Promise<ContainsKeysResults<K>>
- 
    
    
    Check if there are rows containing the specified keys. The resulting key map will only contain keys which were actually found.Parameters:Name Type Description parametersFetchByKeysParameters contains by key parameters - Since:
- 4.2.0
 
 Returns:Returns Promise which resolves to ContainsKeysResults. - Type
- Promise.<ContainsKeysResults>
 ExampleCheck if keys 1001 and 556 are contained let keySet = new Set(); keySet.add(1001); keySet.add(556); let value = await dataprovider.containsKeys({keys: keySet}); let results = value['results']; if (results.has(1001)) { console.log('Has key 1001'); } else if (results.has(556)) { console.log('Has key 556'); }
- 
        
    
    
      createOptimizedKeyMap(initialMap?: Map<K, D>): Map<K, D>
- 
    
    
    Return an empty Map which is optimized to store key value pairsOptionally provided by certain DataProvider implementations for storing key/value pairs from the DataProvider in a performant fashion. Sometimes components will need to temporarily store a Map of keys provided by the DataProvider, for example, in the case of maintaining a Map of selected keys. Only the DataProvider is aware of the internal structure of keys such as whether they are primitives, Strings, or objects and how to do identity comparisons. Therefore, the DataProvider can optionally provide a Map implementation which can performantly store key/value pairs surfaced by the DataProvider. Parameters:Name Type Argument Description initialMapMap.<any> <optional> 
 Optionally specify an initial map of key/values for the Map. If not specified, then return an empty Map. - Since:
- 6.2.0
 
 Returns:Returns a Map optimized for handling keys from the DataProvider. - Type
- Map.<any>
 Examplecreate empty key Map // create optional parameter let initMap = new Map(); initMap.set('a', 'apple'); let keyMap = dataprovider.createOptimizedKeyMap(initMap);
- 
        
    
    
      createOptimizedKeySet(initialSet?: Set<K>): Set<K>
- 
    
    
    Return an empty Set which is optimized to store keysOptionally provided by certain DataProvider implementations for storing keys from the DataProvider in a performant fashion. Sometimes components will need to temporarily store a Set of keys provided by the DataProvider, for example, in the case of maintaining a Set of selected keys. Only the DataProvider is aware of the internal structure of keys such as whether they are primitives, Strings, or objects and how to do identity comparisons. Therefore, the DataProvider can optionally provide a Set implementation which can performantly store keys surfaced by the DataProvider. Parameters:Name Type Argument Description initialSetSet.<any> <optional> 
 Optionally specify an initial set of keys for the Set. If not specified, then return an empty Set. - Since:
- 6.2.0
 
 Returns:Returns a Set optimized for handling keys from the DataProvider. - Type
- Set.<any>
 Examplecreate empty key Set // create optional initial parameter let initSet = new Set(); initSet.add('a'); let keySet = dataprovider.createOptimizedKeySet(initSet);
- 
        
    
    
      dispatchEvent(evt: Event): boolean
- 
    
    
    Dispatch an event and invoke any registered listeners.Parameters:Name Type Description eventEvent The event object to dispatch. Returns:Return false if a registered listener has cancelled the event. Return true otherwise. - Type
- boolean
 
- 
        
    
    
      fetchByKeys(parameters : FetchByKeysParameters<K>) : Promise<FetchByKeysResults<K, D>>
- 
    
    
    Fetch rows by keys. The resulting key map will only contain keys which were actually found. Fetch can be aborted if an AbortSignal is specified when calling fetchByKeys.Parameters:Name Type Description parametersFetchByKeysParameters fetch by key parameters - Since:
- 4.2.0
 
 Returns:Returns Promise which resolves to FetchByKeysResults. - Type
- Promise.<FetchByKeysResults>
 ExamplesFetch for keys 1001 and 556 let keySet = new Set(); keySet.add(1001); keySet.add(556); let value = await dataprovider.fetchByKeys({keys: keySet}); // get the data for key 1001 console.log(value.results.get(1001).data);How to abort fetchByKeys // abort on an AbortController instance will abort all requests that are associated // with the signal from that abortController. const abortController = new AbortController(); let keySet = new Set(); keySet.add(1001); keySet.add(556); // component passes AbortSignal as part of FetchByKeysParameters to fetchByKeys // on dataProvider try { let value = await dataprovider.fetchByKeys({keys: keySet, signal: abortController.signal}); } catch (err) { // if the data fetch has been aborted, retrieving data from the fetched result // will be rejected with DOMException named AbortError } // later when abort is desired, component can invoke abort() on the cached // abort controller to abort any outstanding data retrieval it requested // on asyncIterator. if (abort_is_desired) { abortController.abort(); }
- 
        
    
    
      fetchByOffset(parameters: FetchByOffsetParameters<D>): Promise<FetchByOffsetResults<K, D>>
- 
    
    
    Fetch rows by offset. Fetch can be aborted if an AbortSignal is specified when calling fetchByOffset.A generic implementation of this method is available from FetchByOffsetMixin. It is for convenience and may not provide the most efficient implementation for your data provider. Classes that implement the DataProvider interface are encouraged to provide a more efficient implementation. Parameters:Name Type Description parametersFetchByOffsetParameters fetch by offset parameters. If an unsupported matchBy value is included in FetchByOffsetParameters, an error will be thrown. - Since:
- 4.2.0
 
 Returns:Returns Promise which resolves to FetchByOffsetResults. - Type
- Promise.<FetchByOffsetResults>
 ExamplesFetch by offset 5 rows starting at index 2 let result = await dataprovider.fetchByOffset({size: 5, offset: 2}); let results = result['results']; let data = results.map(function(value) { return value['data']; }); let keys = results.map(function(value) { return value['metadata']['key']; });How to abort fetchByOffset // abort on an AbortController instance will abort all requests that are associated // with the signal from that abortController. const abortController = new AbortController(); // component passes AbortSignal as part of FetchByOffsetParameters to fetchByOffset // on dataProvider try { let value = await dataprovider.fetchByOffset({ size: 5, offset: 2, signal: abortController.signal }); } catch (err) { // if the data fetch has been aborted, retrieving data from the fetched result // will be rejected with DOMException named AbortError } // later when abort is desired, component can invoke abort() on the cached // abort controller to abort any outstanding data retrieval it requested // on asyncIterator. if (abort_is_desired) { abortController.abort(); }
- 
        
    
    
      fetchFirst(parameters?: FetchListParameters<D>): AsyncIterable<FetchListResult<K, D>>
- 
    
    
    Get an AsyncIterable object for iterating the data. Iterating data on this AsyncIterable object can be aborted if an AbortSignal is specified when getting this AsyncIterable object.AsyncIterable contains a Symbol.asyncIterator method that returns an AsyncIterator. AsyncIterator contains a “next” method for fetching the next block of data. The "next" method returns a promise that resolves to an object, which contains a "value" property for the data and a "done" property that is set to true when there is no more data to be fetched. The "done" property should be set to true only if there is no "value" in the result. Note that "done" only reflects whether the iterator is done at the time "next" is called. Future calls to "next" may or may not return more rows for a mutable data source. In order for JET components to work correctly, DataProvider implementations should ensure that: - The iterator accounts for data mutations when returning the next block of data, and that no row is duplicated or skipped. For example, an offset-based implementation may need to adjust the offset from which the next block of data starts if rows have been added or removed in the returned data.
- JET components may call "next" on the iterator even after the iterator has returned done:true. If new data is available after the last returned row, the iterator is expected to return the new data and set "done" to false. This differs from the AsyncIterator spec for performance reasons.
 Please see the DataProvider documentation for more information on custom implementations. Parameters:Name Type Argument Description paramsFetchListParameters <optional> 
 fetch parameters. If an unsupported matchBy value is included in FetchListParameters, an error will be thrown. - Since:
- 4.2.0
 
- See:
- 
            - https://github.com/tc39/proposal-async-iteration for further information on AsyncIterable.
 
 Returns:AsyncIterable with FetchListResult - Type
- AsyncIterable.<FetchListResult>
 ExamplesGet an asyncIterator and then fetch first block of data by executing next() on the iterator. Subsequent blocks can be fetched by executing next() again. let asyncIterator = dataprovider.fetchFirst(options)[Symbol.asyncIterator](); let result = await asyncIterator.next(); let value = result.value; let data = value.data; let keys = value.metadata.map(function(val) { return val.key; }); // true or false for done let done = result.done;How to abort fetchFirst // abort on an AbortController instance will abort all requests that are associated // with the signal from that abortController. const abortController = new AbortController(); // component passes AbortSignal as part of FetchListParameters to fetchFirst // on dataProvider to get an iterator that carries AbortSignal in it. const asyncIterator = dataprovider .fetchFirst({ size: this.size, signal: abortController.signal, ... })[Symbol.asyncIterator](); try { const result = await asyncIterator.next(); } catch (err) { // if the data fetch has been aborted, retrieving data from the fetched result // will be rejected with DOMException named AbortError } // later when abort is desired, component can invoke abort() on the cached // abort controller to abort any outstanding data retrieval it requested // on asyncIterator. if (abort_is_desired) { abortController.abort(); }
- 
        
    
    
      getCapability(capabilityName: string): any
- 
    
    
    Determines whether this DataProvider defines a certain feature.Parameters:Name Type Description capabilityNamestring capability name. Defined capability names are: "dedup", "eventFiltering", "fetchByKeys", "fetchByOffset", "fetchCapability", "fetchFirst", "filter", and "sort". - Since:
- 4.2.0
 
 Returns:capability information or null if undefined - If capabilityName is "dedup", returns a DedupCapability object.
- If capabilityName is "eventFiltering", returns a EventFilteringCapability object.
- If capabilityName is "fetchByKeys", returns a FetchByKeysCapability object.
- If capabilityName is "fetchByOffset", returns a FetchByOffsetCapability object.
- If capabilityName is "fetchCapability", returns a FetchCapability object. (Deprecated since 10.0.0. Use specific fetch capabilityName (fetchByKeys/fetchByOffset/fetchFirst) instead.)
- If capabilityName is "fetchFirst", returns a FetchFirstCapability object.
- If capabilityName is "filter", returns a FilterCapability object.
- If capabilityName is "sort", returns a SortCapability object.
 - Type
- Object
 ExampleCheck what kind of fetchByKeys is defined. let capabilityInfo = dataprovider.getCapability('fetchByKeys'); if (capabilityInfo.implementation == 'iteration') { // the DataProvider supports iteration for fetchByKeys ...
- 
        
    
    
      getTotalSize : {Promise.<number>}
- 
    
    
    Return the total number of rows in this dataproviderReturns:Returns a Promise which resolves to the total number of rows. -1 is unknown row count. - Type
- Promise.<number>
 ExampleGet the total rows let value = await dataprovider.getTotalSize(); if (value === -1) { // we don't know the total row count } else { // the total count console.log(value); }
- 
        
    
    
      isEmpty(): 'yes' | 'no' | 'unknown'
- 
    
    
    Returns a string that indicates if this data provider is empty. Valid values are:- "yes": this data provider is empty.
- "no": this data provider is not empty.
- "unknown": it is not known if this data provider is empty until a fetch is made.
 - Since:
- 4.2.0
 
 Returns:string that indicates if this data provider is empty - Type
- "yes" | "no" | "unknown"
 ExampleCheck if empty let isEmpty = dataprovider.isEmpty(); console.log('DataProvider is empty: ' + isEmpty);
- 
        
    
    
      removeEventListener(eventType: string, listener: EventListener): void
- 
    
    
    Remove a listener previously registered with addEventListener.Parameters:Name Type Description eventTypestring The event type that the listener was registered for. listenerEventListener The callback function that was registered. 
Type Definitions
- 
        
    
    
      DeprecatedOptions<D>
- 
    
    
    
    
    
    
    
    
    
    
    
    
        
        - Deprecated:
-  
Since Description 10.1.0Use type Options instead of object for options 
 Properties:Name Type Argument Description idAttributestring | string[] <optional> 
 Deprecated: this option is deprecated and will be removed in the future. Please use the keyAttributes option instead. 
 Optionally the field name which stores the id in the data. Can be a string denoting a single key attribute or an array of strings for multiple key attributes. Dot notation can be used to specify nested attribute (e.g. 'attr.id'). Please note that the ids in ArrayDataProvider must always be unique. Please do not introduce duplicate ids, even during temporary mutation operations.implicitSortArray.<SortCriterion.<D>> <optional> 
 Optional array of SortCriterion used to specify sort information when the data loaded into the dataprovider is already sorted. This is used for cases where we would like display some indication that the data is already sorted. For example, ojTable will display the column sort indicator for the corresponding column in either ascending or descending order upon initial render. This option is not used for cases where we want the ArrayDataProvider to apply a sort on initial fetch. For those cases, please wrap in a ListDataProviderView and set the sortCriteria property on it. keyAttributesstring | string[] <optional> 
 Optionally the field name which stores the key in the data. Can be a string denoting a single key attribute or an array of strings for multiple key attributes. Please note that the ids in ArrayDataProvider must always be unique. Please do not introduce duplicate ids, even during temporary mutation operations. @index causes ArrayDataProvider to use index as key and @value will cause ArrayDataProvider to use all attributes as key. @index is the default. With "@index", the key generation is based on the item index only initially. The key for an item, once assigned, will not change even if the item index changes (e.g. by inserting/removing items from the array). Assigned keys will never be reassigned. If the array is replaced with new items, the new items will be assigned keys that are different from their indices. In general, caller should specify keyAttributes whenever possible and should never assume that the generated keys are the same as the item indices. This option is ignored if the "keys" option is specified. keysany <optional> 
 Optional keys for the data. If not supplied, then the keys are generated according options.keyAttributes. If that is also not supplied then index is used as key. If this option is specified, the caller is responsible for maintaining both the keys and data arrays to keep them in sync. When the data need to be changed, the corresponding changes must be made to the keys array first before the data change. sortComparatorsArrayDataProvider.SortComparators<D> <optional> 
 Optional sortComparator to use for sort. textFilterAttributesstring[] <optional> 
 Optionally specify which attributes the filter should be applied on when a TextFilter filterCriteria is specified. If this option is not specified then the filter will be applied to all attributes. 
- 
        
    
    
      Options<K, D>
- 
    
    
    
    
    
    
    
    
    
    
    
     
  Properties:Name Type Argument Description implicitSortArray.<SortCriterion.<D>> <optional> 
 Optional array of SortCriterion used to specify sort information when the data loaded into the dataprovider is already sorted. This is used for cases where we would like display some indication that the data is already sorted. For example, ojTable will display the column sort indicator for the corresponding column in either ascending or descending order upon initial render. This option is not used for cases where we want the ArrayDataProvider to apply a sort on initial fetch. For those cases, please wrap in a ListDataProviderView and set the sortCriteria property on it. keyAttributesstring | string[] <optional> 
 Optionally the field name which stores the key in the data. Can be a string denoting a single key attribute or an array of strings for multiple key attributes. Please note that the ids in ArrayDataProvider must always be unique. Please do not introduce duplicate ids, even during temporary mutation operations. @index causes ArrayDataProvider to use index as key and @value will cause ArrayDataProvider to use all attributes as key. @index is the default. With "@index", the key generation is based on the item index only initially. The key for an item, once assigned, will not change even if the item index changes (e.g. by inserting/removing items from the array). Assigned keys will never be reassigned. If the array is replaced with new items, the new items will be assigned keys that are different from their indices. In general, caller should specify keyAttributes whenever possible and should never assume that the generated keys are the same as the item indices. This option is ignored if the "keys" option is specified. keysK[] | (() => K[]) <optional> 
 Optional keys for the data. If not supplied, then the keys are generated according options.keyAttributes. If that is also not supplied then index is used as key. If this option is specified, the caller is responsible for maintaining both the keys and data arrays to keep them in sync. When the data need to be changed, the corresponding changes must be made to the keys array first before the data change. sortComparatorsArrayDataProvider.SortComparators<D> <optional> 
 Optional sortComparator for custom sort. Sort follows JavaScript's localeCompare {numeric: true}. Please check String.prototype.localeCompare() for details.For numbers, we convert them into strings then compare them with localeCompare, which may not sort floating point numbers based on their numeric values. If you want to sort floating point numbers based on their numeric values, sortComparator can be used to do a custom sort. For undefined and null values, they are considered as the largest values during sorting. For an empty string, it is considered as the smallest value during sorting. textFilterAttributesstring[] <optional> 
 Optionally specify which attributes the filter should be applied on when a TextFilter filterCriteria is specified. If this option is not specified then the filter will be applied to all attributes. ExamplesExamples for sortComparator // Custom comparator for date let comparator = function (a, b) { if (a === b) { return 0; } const dateA = new Date(a).getTime(); const dateB = new Date(b).getTime(); return dateA > dateB ? 1 : -1; }; // Then create an ArrayDataProvider object and set Date field to use the this comparator this.dataprovider = new ArrayDataProvider(JSON.parse(deptArray), { keyAttributes: "DepartmentId", sortComparators: { comparators: new Map().set("Date", comparator) }, });// Custom comparator for number let comparator = function (a, b) { return a - b; }; // Then create an ArrayDataProvider object and set Salary field to use the this comparator this.dataprovider = new ArrayDataProvider(JSON.parse(deptArray), { keyAttributes: "DepartmentId", sortComparators: { comparators: new Map().set("Salary", comparator) }, });