Convert mootools code to jquery

899 Views Asked by At

I have a slider and I'm manipulating it's color and gradient.

It uses mootools and everything works fine.

JSFIDDLE

var inputs = document.getElementsByTagName('input');
inputs = Array.splice(inputs, 0);
inputs.forEach(function (item) {
    if (item.type === 'range') {
        item.onchange = function () {
            value = (item.value - item.min)/(item.max - item.min)
            item.style.backgroundImage = [
                '-webkit-gradient(',
                  'linear, ',
                  'left top, ',
                  'right top, ',
                  'color-stop(' + value + ', #0B8CDD), ',
                  'color-stop(' + value + ', #898989)',
                ')'
            ].join('');
        };
    }
});

I want to convert the Mootools js code to Js/Jquery.

Please help me out.

2

There are 2 best solutions below

0
On BEST ANSWER

Try

Use element and attribute selectors to target the input type="range" elements, use the change() method to register change event handler then use .css() to set the css properties

$('input[type="range"]').change(function () {
    //`this` inside the handler refers to the current input element
    var value = (this.value - this.min) / (this.max - this.min);
    //use `.css()` to set the css properties
    $(this).css('backgroundImage', [
        '-webkit-gradient(',
        'linear, ',
        'left top, ',
        'right top, ',
        'color-stop(' + value + ', #0B8CDD), ',
        'color-stop(' + value + ', #898989)',
        ')'].join(''));
});

Demo: Fiddle

3
On

If the Mootools works, why to change?

plain javascript:

var inputs = document.querySelectorAll('input[type="range"]');
for (var i = 0; i < inputs.length; i++) {
    var item = inputs[i];
    item.addEventListener('change', function () {
        value = (this.value - this.min) / (this.max - this.min)
        this.style.backgroundImage = [
            '-webkit-gradient(',
            'linear, ',
            'left top, ',
            'right top, ',
            'color-stop(' + value + ', #0B8CDD), ',
            'color-stop(' + value + ', #898989)',
            ')'].join('');
    });
};

Fiddle


Here is another version, with very litle jQuery:

$('input[type="range"]').change(function () {
    value = (this.value - this.min) / (this.max - this.min)
    this.style.backgroundImage = [
        '-webkit-gradient(',
        'linear, ',
        'left top, ',
        'right top, ',
        'color-stop(' + value + ', #0B8CDD), ',
        'color-stop(' + value + ', #898989)',
        ')'].join('');
});

Fiddle