Gathering detailed insights and metrics for ampersand-input-view
Gathering detailed insights and metrics for ampersand-input-view
Gathering detailed insights and metrics for ampersand-input-view
Gathering detailed insights and metrics for ampersand-input-view
ampersand-array-input-view
A view module for intelligently rendering and validating inputs that should produce an array of values. Works well with ampersand-form-view.
ampersand-floatinglabel-input-view
An extended Ampersand.js input view to provide floating labels on input elements
ampersand-filereader-input-view
A view module for returning metadata via callback using browser FileReader.
ampersand-avatar-input-view
A view module for intelligently rendering and validating input. Works well with ampersand-form-view.
npm install ampersand-input-view
Typescript
Module System
Node Version
NPM Version
JavaScript (100%)
Total Downloads
236,807
Last Day
2
Last Week
68
Last Month
423
Last Year
6,206
MIT License
17 Stars
174 Commits
19 Forks
12 Watchers
4 Branches
28 Contributors
Updated on Sep 11, 2024
Minified
Minified + Gzipped
Latest Version
7.0.0
Package Id
ampersand-input-view@7.0.0
Size
3.52 kB
NPM Version
3.8.9
Node Version
6.2.0
Cumulative downloads
Total Downloads
Last Day
100%
2
Compared to previous day
Last Week
-53.1%
68
Compared to previous week
Last Month
-20.9%
423
Compared to previous month
Last Year
-7.5%
6,206
Compared to previous year
Lead Maintainer: Christopher Dieringer (@cdaringe)
A view module for intelligently rendering and validating input. Works well with ampersand-form-view.
It does the following:
It's built on ampersand-view, so you can use it with extend
as expected.
npm install ampersand-input-view
1var FormView = require('ampersand-form-view'); 2var InputView = require('ampersand-input-view'); 3 4 5module.exports = FormView.extend({ 6 fields: function () { 7 return [ 8 new InputView({ 9 label: 'Address', 10 name: 'address', 11 value: this.model.address || '', 12 required: false, 13 placeholder: '2000 Avenue of the Stars, Los Angeles CA', 14 parent: this 15 }) 16 ]; 17 } 18});
AmpersandInputView.extend({ })
Since this view is based on ampersand-state, it can be extended in the same way.
To create an InputView
class of your own, you extend AmpersandInputView
and provide instance properties and options for your class. Here, you will typically pass any properties (props
, session
, and derived
) of your state class, and any methods to be attached to instances of your class.
Note: If you want to add initialize()
, remember that it's overriding InputView's own initialize()
. Thus, you should call the parent's initialize()
manually:
1var AmpersandInputView = require('ampersand-input-view'); 2 3var MyCustomInput = AmpersandInputView.extend({ 4 initialize: function () { 5 // call its parent's initialize manually 6 AmpersandInputView.prototype.initialize.apply(this, arguments); 7 8 // do whatever else you need to do on init here 9 } 10});
new AmpersandInputView([opts])
When creating an instance of an InputView
, you can pass in the initial values of the attributes which will be set
on the state. Unless extraProperties
is set to allow
, you will need to have defined these attributes in props
or session
.
tests
(default: []
): test function to run on input (more below).name
: the input's name
attribute's value. Used when reporting to parent form.type
(default: 'text'
): input type to use, can be any valid HTML5 input type.value
: initial value for the <input>
.template
: a custom template to use (see 'template' section, below, for more).placeholder
: (optional) "placeholder text" for the input.el
: (optional) element if you want to render it into a specific exisiting element pass it on initialization.required
(default: true
): whether this field is required or not.readonly
(default: false
): whether this field is read only or not.autofocus
(default: false
): whether this field automatically gets focus on page load or not.requiredMessage
(default: 'This field is required'
): message to use if required and empty.validClass
(default: 'input-valid'
): class to apply to input if valid (see below for customizing where this is applied).invalidClass
(default: 'input-invalid'
): class to apply to input if invalid (see below for customizing where this is applied).parent
: a View instance to use as the parent
for this input. If your InputView is in a FormView, this is automatically set for you.beforeSubmit
: function called by ampersand-form-view during submit. By default this runs the tests and displays error messages.tabindex
(default: 0
): Specify the tab index number for your field (integer).inputView.render()
Renders the inputView. This is called automatically if your inputView is used within a parent ampersand-form-view.
inputView.template
This can either be customized by using extend
, or by passing in a template
on instantiation.
It can be a function that returns a string of HTML or DOM element--or just an plain old HTML string.
But whatever it is, the resulting HTML should contain the following hooks:
<input>
or <textarea>
elementdata-hook="label"
attributedata-hook="message-container"
attribute (this we'll show/hide)data-hook="message-text"
attribute (where message text goes for error)Creating a new class:
1// creating a custom input that has an alternate template 2var CustomInput = AmpersandInputView.extend({ 3 template: [ 4 '<label>', 5 '<input class="form-input">', 6 '<span data-hook="label"></span>', 7 '<div data-hook="message-container" class="message message-below message-error">', 8 '<p data-hook="message-text"></p>', 9 '</div>', 10 '</label>' 11 ].join('') 12}); 13 14// Then any instances of that would have it 15var myCustomInput = new CustomInput();
Setting the template when instantiating it:
// Or you can also pass it in when creating the instance
var myInput = new AmpersandInputView({
template: myCustomTemplateStringOrFunction
});
new AmpersandInputView({ value: 'something' })
If you pass value
on instantiation, it will be set on the <input>
element (and also tracked as startingValue
).
This is also the value that will be reverted to if we call .reset()
on the input.
1var myInput = new AmpersandInputView({ 2 name: 'company name', 3 value: '&yet' 4}); 5myInput.render(); 6console.log(myInput.input.value); //=> '&yet' 7 8myInput.setValue('something else'); 9console.log(myInput.input.value); //=> 'something else' 10myInput.setValue('something else'); 11myInput.reset(); 12console.log(myInput.input.value); //=> '&yet'
value
If you need to decouple what the user puts into the form from the resulting value, you can do that by overriding the value
derived property.
For example, consider a validated address input. You may have a single text input for address, which you can attempt to match to a real known address with an API call. So, you have a single <input>
, but you want the inputView's value
to be an object returned from that API.
Do it by overriding the value
derived property as follows:
1var VerifiedAddressInput = AmpersandInputView.extend({ 2 initialize: function () { 3 // call parent constructor 4 AmpersandInputView.prototype.initialize.apply(this, arguments); 5 6 // listen for changes to input value 7 this.on('change:inputValue', this.validateAddress, this); 8 }, 9 props: { 10 verifiedAddress: { 11 type: 'object' 12 } 13 }, 14 derived: { 15 value: { 16 // in you want it re-calculated 17 // when the user changes input 18 // make it dependent on `inputValue` 19 deps: ['verifiedAddress'], 20 fn: function () { 21 // calculate your value here 22 return this.verifiedAddress; 23 } 24 }, 25 // you may also want to change what 26 // deterines if this field should be 27 // considerd valid. In this case, whether 28 // it has a validated address 29 valid: { 30 deps: ['value'], 31 fn: function () { 32 if (this.verifiedAddress) { 33 return true; 34 } else { 35 return false; 36 } 37 } 38 } 39 }, 40 // run our address verification 41 validateAddress: function () { 42 // validate it against your API (up to you how) 43 validateIt(this.inputValue, function (result) { 44 this.verifiedAddress = result; 45 }); 46 } 47});
By default, validClass
and invalidClass
are set on either the input
or textarea
in the rendered template. This is done via a validityClassSelector
property that is used to find the elements to apply either validClass
or invalidClass
. You can set validityClassSelector
to have this class applied anywhere you need in your rendered template
For instance, this would set the class on the root label instead:
1var CustomInput = InputView.extend({ 2 validityClassSelector: 'label' 3});
And this would set it on the root label and the message element
1var CustomInput = InputView.extend({ 2 validityClassSelector: 'label, [data-hook=message-text]' 3});
InputView.extend({ tests: [test functions] });
or new InputView({ tests: [] })
You can provide tests inside extend
, or passed them in for initialize
.
This should be an array of test functions. The test functions will be called with the context of the inputView, and receive the input value
as the argument.
The tests should return an error message if invalid, and return a falsy value otherwise (or, simply not return at all).
1var myInput = new InputView({ 2 name: 'tweet', 3 label: 'Your Tweet', 4 tests: [ 5 function (value) { 6 if (value.length > 140) { 7 return "A tweet can be no more than 140 characters"; 8 } 9 } 10 ] 11});
Note: You can still do required: true
and pass tests. If you do, it will check if it's not empty first, and show the requiredMessage
error if it is.
Remember that the inputView will only show one error per field at a time. This is to minimize annoyance. We don't want to show "this field is required" and every other error if they just left it empty. We just show the first one that fails, then when they go to correct it, it will update to reflect the next failed test (if any).
inputView.setValue([value], [skipValidation|bool])
Setter for value that will fire all appropriate handlers/tests. Can also be done by user input or setting value of input
manually.
Passing true
as second argument will skip validation. This is mainly for internal use.
This module assumes that the value of the input element will be set by the user. This is the only event that can be reliably listened for on an input element. If you have a third-party library (i.e. Bootstrap or jQuery) that is going to be affecting the input value directly you will need to let your model know about the change via setValue
.
1var myInput = new InputView({ 2 name: 'date' 3}); 4myInput.render(); 5document.body.appendChild(myInput.el); 6 7$('[name=address]').datepicker({ 8 onSelect: function (newDate) { 9 myInput.setValue(newDate); 10 } 11});
inputView.reset()
Set value to back original value. If you passed a value
when creating the view it will reset to that, otherwise to ''
.
inputView.clear()
Sets value to ''
no matter what previous values were.
change
event as expected. In these rare cases, validation may not occur when expected. Validation will occur regardless on form submission, specifically when this field's beforeSubmit
executes.7.0.0
autofocus
option (@taketwo #73)6.0.0
5.1.0
tabindex
5.0.0
readonly
option4.0.5
4.0.0
rootElementClass
in favor of a better validityClass selectorchange
instead of blur
eventclear()
and reset()
beforeSubmit
to be defined on initialization3.1.0 - Add ampersand-version for version tracking.
3.0.0 - Add API reference docs. Add .clear()
, .reset()
methods. Make value
derived property. Fix #21 validity class issue.
2.1.0 - Can now set rootElementClass
. Add reset function #15. Allow setting 0
as value #17.
2.0.2 - Make sure templates can be passed in, in constructor.
Created by @HenrikJoreteg.
MIT
No vulnerabilities found.
Reason
no binaries found in the repo
Reason
0 existing vulnerabilities detected
Reason
license file detected
Details
Reason
Found 5/27 approved changesets -- score normalized to 1
Reason
0 commit(s) and 0 issue activity found in the last 90 days -- score normalized to 0
Reason
no effort to earn an OpenSSF best practices badge detected
Reason
security policy file not detected
Details
Reason
project is not fuzzed
Details
Reason
branch protection not enabled on development/release branches
Details
Reason
SAST tool is not run on all commits -- score normalized to 0
Details
Score
Last Scanned on 2025-06-30
The Open Source Security Foundation is a cross-industry collaboration to improve the security of open source software (OSS). The Scorecard provides security health metrics for open source projects.
Learn More