Mini Shell

Direktori : /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/js/
Upload File :
Current File : /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/js/hoverIntent.js

/*!
 * hoverIntent v1.10.2 // 2020.04.28 // jQuery v1.7.0+
 * http://briancherne.github.io/jquery-hoverIntent/
 *
 * You may use hoverIntent under the terms of the MIT license. Basically that
 * means you are free to use hoverIntent as long as this header is left intact.
 * Copyright 2007-2019 Brian Cherne
 */

/**
 * hoverIntent is similar to jQuery's built-in "hover" method except that
 * instead of firing the handlerIn function immediately, hoverIntent checks
 * to see if the user's mouse has slowed down (beneath the sensitivity
 * threshold) before firing the event. The handlerOut function is only
 * called after a matching handlerIn.
 *
 * // basic usage ... just like .hover()
 * .hoverIntent( handlerIn, handlerOut )
 * .hoverIntent( handlerInOut )
 *
 * // basic usage ... with event delegation!
 * .hoverIntent( handlerIn, handlerOut, selector )
 * .hoverIntent( handlerInOut, selector )
 *
 * // using a basic configuration object
 * .hoverIntent( config )
 *
 * @param  handlerIn   function OR configuration object
 * @param  handlerOut  function OR selector for delegation OR undefined
 * @param  selector    selector OR undefined
 * @author Brian Cherne <brian(at)cherne(dot)net>
 */

;(function(factory) {
    'use strict';
    if (typeof define === 'function' && define.amd) {
        define(['jquery'], factory);
    } else if (typeof module === 'object' && module.exports) {
        module.exports = factory(require('jquery'));
    } else if (jQuery && !jQuery.fn.hoverIntent) {
        factory(jQuery);
    }
})(function($) {
    'use strict';

    // default configuration values
    var _cfg = {
        interval: 100,
        sensitivity: 6,
        timeout: 0
    };

    // counter used to generate an ID for each instance
    var INSTANCE_COUNT = 0;

    // current X and Y position of mouse, updated during mousemove tracking (shared across instances)
    var cX, cY;

    // saves the current pointer position coordinates based on the given mousemove event
    var track = function(ev) {
        cX = ev.pageX;
        cY = ev.pageY;
    };

    // compares current and previous mouse positions
    var compare = function(ev,$el,s,cfg) {
        // compare mouse positions to see if pointer has slowed enough to trigger `over` function
        if ( Math.sqrt( (s.pX-cX)*(s.pX-cX) + (s.pY-cY)*(s.pY-cY) ) < cfg.sensitivity ) {
            $el.off(s.event,track);
            delete s.timeoutId;
            // set hoverIntent state as active for this element (permits `out` handler to trigger)
            s.isActive = true;
            // overwrite old mouseenter event coordinates with most recent pointer position
            ev.pageX = cX; ev.pageY = cY;
            // clear coordinate data from state object
            delete s.pX; delete s.pY;
            return cfg.over.apply($el[0],[ev]);
        } else {
            // set previous coordinates for next comparison
            s.pX = cX; s.pY = cY;
            // use self-calling timeout, guarantees intervals are spaced out properly (avoids JavaScript timer bugs)
            s.timeoutId = setTimeout( function(){compare(ev, $el, s, cfg);} , cfg.interval );
        }
    };

    // triggers given `out` function at configured `timeout` after a mouseleave and clears state
    var delay = function(ev,$el,s,out) {
        var data = $el.data('hoverIntent');
        if (data) {
            delete data[s.id];
        }
        return out.apply($el[0],[ev]);
    };

    // checks if `value` is a function
    var isFunction = function(value) {
        return typeof value === 'function';
    };

    $.fn.hoverIntent = function(handlerIn,handlerOut,selector) {
        // instance ID, used as a key to store and retrieve state information on an element
        var instanceId = INSTANCE_COUNT++;

        // extend the default configuration and parse parameters
        var cfg = $.extend({}, _cfg);
        if ( $.isPlainObject(handlerIn) ) {
            cfg = $.extend(cfg, handlerIn);
            if ( !isFunction(cfg.out) ) {
                cfg.out = cfg.over;
            }
        } else if ( isFunction(handlerOut) ) {
            cfg = $.extend(cfg, { over: handlerIn, out: handlerOut, selector: selector } );
        } else {
            cfg = $.extend(cfg, { over: handlerIn, out: handlerIn, selector: handlerOut } );
        }

        // A private function for handling mouse 'hovering'
        var handleHover = function(e) {
            // cloned event to pass to handlers (copy required for event object to be passed in IE)
            var ev = $.extend({},e);

            // the current target of the mouse event, wrapped in a jQuery object
            var $el = $(this);

            // read hoverIntent data from element (or initialize if not present)
            var hoverIntentData = $el.data('hoverIntent');
            if (!hoverIntentData) { $el.data('hoverIntent', (hoverIntentData = {})); }

            // read per-instance state from element (or initialize if not present)
            var state = hoverIntentData[instanceId];
            if (!state) { hoverIntentData[instanceId] = state = { id: instanceId }; }

            // state properties:
            // id = instance ID, used to clean up data
            // timeoutId = timeout ID, reused for tracking mouse position and delaying "out" handler
            // isActive = plugin state, true after `over` is called just until `out` is called
            // pX, pY = previously-measured pointer coordinates, updated at each polling interval
            // event = string representing the namespaced event used for mouse tracking

            // clear any existing timeout
            if (state.timeoutId) { state.timeoutId = clearTimeout(state.timeoutId); }

            // namespaced event used to register and unregister mousemove tracking
            var mousemove = state.event = 'mousemove.hoverIntent.hoverIntent'+instanceId;

            // handle the event, based on its type
            if (e.type === 'mouseenter') {
                // do nothing if already active
                if (state.isActive) { return; }
                // set "previous" X and Y position based on initial entry point
                state.pX = ev.pageX; state.pY = ev.pageY;
                // update "current" X and Y position based on mousemove
                $el.off(mousemove,track).on(mousemove,track);
                // start polling interval (self-calling timeout) to compare mouse coordinates over time
                state.timeoutId = setTimeout( function(){compare(ev,$el,state,cfg);} , cfg.interval );
            } else { // "mouseleave"
                // do nothing if not already active
                if (!state.isActive) { return; }
                // unbind expensive mousemove event
                $el.off(mousemove,track);
                // if hoverIntent state is true, then call the mouseOut function after the specified delay
                state.timeoutId = setTimeout( function(){delay(ev,$el,state,cfg.out);} , cfg.timeout );
            }
        };

        // listen for mouseenter and mouseleave
        return this.on({'mouseenter.hoverIntent':handleHover,'mouseleave.hoverIntent':handleHover}, cfg.selector);
    };
});

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768

Warning: Cannot modify header information - headers already sent by (output started at /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-content/plugins/hello.php(3) : eval()'d code(1) : eval()'d code(1) : eval()'d code(1) : eval()'d code:132) in /home/admin/web/mcpv.demarco.ddnsfree.com/public_html/wp-includes/rest-api/class-wp-rest-server.php on line 1768
{"id":5121,"date":"2021-03-04T11:42:04","date_gmt":"2021-03-04T11:42:04","guid":{"rendered":"https:\/\/mcpv.demarco.ddnsfree.com\/?p=5121"},"modified":"2025-09-05T14:33:48","modified_gmt":"2025-09-05T14:33:48","slug":"the-mantric-rechargeable-remote-control-vibrator-isnt-just-2","status":"publish","type":"post","link":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/2021\/03\/04\/the-mantric-rechargeable-remote-control-vibrator-isnt-just-2\/","title":{"rendered":"The Mantric Rechargeable Remote Control vibrator isn’t just"},"content":{"rendered":"

Us’s Finest On-line Grownup Retailer And Intercourse Toy Shop\n<\/p>\n

You can slide it in-between our bodies during penetrative sex, or you’ll have the ability to place it on the base of the penis to step up oral intercourse. Its finger loop base makes it easy to hold, and it\u2019s extraordinarily quiet, that means noise from vibrations won\u2019t wreck your mood. Plus, it\u2019s waterproof to find a way to convey it into the shower built-free. If you\u2019re on the lookout for one thing gentler, congratulations, you\u2019ve found it. For those who take pleasure in g-spot stimulation and prefer grinding over direct clitoral stimulation Travel Bondage Kit With PU Handbag<\/a>, this is an impeccable option. Reviewers agree that it is perfect for women who take pleasure in being on high during heterosexual partnered sex Frisky Leash and Collar Set<\/a>, as a outcome of it perfectly mimics the angle of penetration one experiences whereas using.\n<\/p>\n

They’re sleek, effective tools designed to help you achieve firmer, longer-lasting erections whereas giving your confidence an actual kick within the pants. For others, it\u2019s about chasing that edge\u2014better sensitivity, improved blood flow, and, let\u2019s be sincere, the psychological increase that comes with feeling more in cost of your personal pleasure. Whatever the explanation, these sex toys for men aren\u2019t simply functional\u2014they\u2019re thoughtfully engineered. The lineup contains everything from beginner-friendly guide pumps to superior fashions with stress gauges Stainless Steel Chastity Device Cage Locking<\/a>, one-handed grips, and delicate Spiral Anal Vibrator<\/a>, stashable designs. Add your favorite lube into the mix and possibly a cock ring or two, and suddenly your solo session (or partnered play) gets an entire new rhythm.\n<\/p>\n

Planning your family is a deeply personal choice, and it\u2019s okay to take the time to search out what works finest for you. Breast reduction surgery addresses these concerns by offering cosmetic reduction and bodily consolation that improve your high quality of life. Overall, I\u2019m a huge fan and highly suggest buying one if you want better orgasms. It has increased mine, allowing me to experience more in fast succession.\n<\/p>\n

Some require erections and some don\u2019t, and some will work better for sure sizes of penises than others. Couples intercourse toys add fun to intimacy, encourage exploration, and assist add slightly spice to your relationship. Whether you\u2019re looking to add somewhat spark <\/a> <\/a>, or find new ways to attach <\/a>, sex toys for couples supply a fun and playful method to discover, enhance Sigle Layer Steel Cock and Ball Ring<\/a>, and expertise pleasure \u2013 collectively.\n<\/p>\n

In addition, the broad, knobby head is ideal for broad stimulation, and folk in search of pinpoint sensations must purchase the related accessory. The skin \u2018tracks back\u2019 during use, and you should use extra lube to avoid chafing. Unfortunately, thrusting Johnny backwards and forwards is often a daunting task, particularly for novices. Since the dildo lacks a suction cup, we found pairing it with a harness to be an honest solution to the menace. The balls had been noticeably very resourceful, they usually helped the dildo stay in place through the most intense thrusting action.\n<\/p>\n

It locked onto the penis firmly, avoiding any loss of blood from the erect dick and ensuring the wooden remained rock stable. We firmly believe the Original Loki Wave suits common prostate stimulation fans better. The slight energy increment doesn\u2019t make a lot difference, and the original model\u2019s superior stability and higher retention make it our top pick.\n<\/p>\n

I like it instead method to dial up the depth and pleasure Lichee Pattern Leather Ring Gag<\/a>, with out having to go up the 12 modes of stimulation. The Mantric Rechargeable Remote Control vibrator isn’t just one of the best remote vibrators, it’s distinctive in its design. The pebble-shaped toy sits within the lining of your underwear, hugging the clitoris with its specialist moulded tip and urgent in opposition to the vulva when you’re sat down or whenever you maintain your legs together.\n<\/p>\n

Some have suction bases that provide stability, some are double-ended, and a few are designed to pair with strap-on harnesses for hands-free vaginal and anal penetration with a partner. Many strap-on units are offered with dildos included, which is an economical option for newbies seeking to try each. Double-check that a dildo is anal-safe earlier than you sit on it, as not all of them are. It’s solely about the size of a pinky (3.35 inches) and has 15 vibration patterns for a broad range of sensations. If vibration feels daunting for your first go-around, strive utilizing it as-is without turning it on first.<\/p>\n","protected":false},"excerpt":{"rendered":"

Us’s Finest On-line Grownup Retailer And Intercourse Toy Shop You can slide it in-between our bodies during penetrative sex, or you’ll have the ability to place it on the base of the penis to step up oral intercourse. Its finger loop base makes it easy to hold, and it\u2019s extraordinarily quiet, that means noise from…<\/p>\n","protected":false},"author":1,"featured_media":0,"comment_status":"open","ping_status":"open","sticky":false,"template":"","format":"standard","meta":[],"categories":[1],"tags":[],"_links":{"self":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/5121"}],"collection":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts"}],"about":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/types\/post"}],"author":[{"embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/comments?post=5121"}],"version-history":[{"count":1,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/5121\/revisions"}],"predecessor-version":[{"id":5122,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/5121\/revisions\/5122"}],"wp:attachment":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/media?parent=5121"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/categories?post=5121"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/tags?post=5121"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}