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":4372,"date":"2020-11-05T10:31:45","date_gmt":"2020-11-05T10:31:45","guid":{"rendered":"https:\/\/mcpv.demarco.ddnsfree.com\/?p=4372"},"modified":"2025-09-04T16:40:25","modified_gmt":"2025-09-04T16:40:25","slug":"a-duplicate-bag-is-a-replica-or-imitation-of-a-designer","status":"publish","type":"post","link":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/2020\/11\/05\/a-duplicate-bag-is-a-replica-or-imitation-of-a-designer\/","title":{"rendered":"A duplicate bag is a replica or imitation of a designer"},"content":{"rendered":"

Duplicate Handbags Vs Genuine Luxurious: Whats The True Difference?\n<\/p>\n

But RepLadies aren\u2019t just right here for the quality; the know-how required to navigate the high-end duplicate market is in itself a sort of forex, one that appears to appeal to even the wealthiest of ladies. For this cadre of rep obsessives, status isn\u2019t a massive collection of actual luxury bags; it\u2019s the ability to discover a pretend so excellent it feels extra theirs than the real thing. Manufacturers now employ state-of-the-art manufacturing techniques similar to laser etching, 3D printing, and high-resolution stitching machines to copy every tiny element of the unique luxurious luggage. For example, the leather utilized in high-grade replicas is usually a near-perfect match to that of the genuine bag, and the hardware (such as zippers, buckles, and clasps) is commonly indistinguishable from the actual thing.\n<\/p>\n

Read reviews on blogs corresponding to The Rep Salad, and participate in on-line communities like Reddit\u2019s LuxuryReps to study from the experience of others in addition to their recommendations. For instance whenever you google \u2018replica bags\u2019 you in all probability notice that many ecommerce stores pop up which sell varying reproduction merchandise. In fact there are so many choices that it\u2019s exhausting not to really feel a bit overwhelmed and confused as to where you must shop and which vendor you ought to buy from. A duplicate bag is a replica or imitation of a designer handbag (e.g. Balenciaga, Chanel, Gucci, Herm\u00e8s, or Louis Vuitton).\n<\/p>\n

They characteristic unbelievable designs for a fraction of the value of their designer inspiration. This bag is created from high-quality Italian leather-based and features three carrying choices, permitting you to wear it as a crossbody bag, shoulder bag, or carry it as a handbag, and it is out there in two different colors. On the other hand, Mango\u2019s Printed Shopper Bag priced at $79.ninety nine presents a vibrant and distinctive aesthetic. Though they\u2019re constructed from a different material (Tory Burch is canvas and the Mango model is polyester), each of these luggage are related kinds to the Goyard bag, so in a method, it\u2019s like a dupe in a dupe. Drawing from years of experience and market knowledge,I\u2019ve picked out 21 fake designer bags that I truthfully assume are value shopping for. If proudly owning a designer bag is a long-term aim, contemplate saving up and investing in an genuine piece from a brand you really admire.\n<\/p>\n

It opens as much as reveal a spacious inside with a middle zip pocket for easy organization. It also has an optional crossbody strap and may be accessorized with a colorful scarf. Michael Kors creates a few of the finest baggage, typically with five-star evaluations, and this pebble leather-based design is definitely one of them.\n<\/p>\n

As the standard of reproduction purses continues to improve fake bags<\/em><\/strong><\/a>, the choice to purchase a replica or an authentic luxury bag comes down to personal choice, budget, and ethics. So now Replica Bags<\/em><\/strong><\/a>, the query that arises is how to fulfill one\u2019s need to own a bag that spells class and sophistication? You can select from a extensive variety of duplicate bags in the market at present, with quite a few web sites offering spin-offs of branded bags at inexpensive costs.\n<\/p>\n

Or, should you really wish to stand out within the crowd, the stunning brilliant pink is a stunner, and as left-field, as you can see in a designer handbag of this high quality. Cheap Gucci reproduction luggage & purses would never compromise on quality to maintain prices down. At the identical time fake bags<\/em><\/strong><\/a>, they undoubtedly are available at the most reasonably priced rates, fulfilling our dream of owning a novel accessory. Replicas assure that the product is an actual copy of the unique.\n<\/p>\n

Not solely as an alternative selection to the authentic one, but additionally as a substitute for worse high quality of the same price for non-replicas. Just like we talked about earlier than, even the most effective replicas have their differences from the true deal. Plus, some brands use microchips, so a quick scan reveals if it\u2019s genuine or not.\n<\/p>\n

The precision and a spotlight to detail put into making replica handbags have made it simpler for them to cross off as genuine luxurious merchandise, with hardly any noticeable differences to the untrained eye. A pre-owned designer handbag is the actual deal \u2014 crafted by the precise brand, with its high quality, heritage, and resale value intact. A counterfeit bag may look convincing in photos, however it\u2019s simply smoke and mirrors. You don\u2019t get the brand\u2019s craftsmanship, value, or credibility \u2014 solely a poor imitation. Younger shoppers aren\u2019t embarrassed at all about sporting low cost knock-offs of high-end handbags and equipment \u2013 in fact, they\u2019re actually pleased with it! They suppose it\u2019s totally cool to seize replicas and dupes, which is a giant change from how the older technology used to see it as something you simply don\u2019t do.<\/p>\n","protected":false},"excerpt":{"rendered":"

Duplicate Handbags Vs Genuine Luxurious: Whats The True Difference? But RepLadies aren\u2019t just right here for the quality; the know-how required to navigate the high-end duplicate market is in itself a sort of forex, one that appears to appeal to even the wealthiest of ladies. For this cadre of rep obsessives, status isn\u2019t a massive…<\/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\/4372"}],"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=4372"}],"version-history":[{"count":1,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/4372\/revisions"}],"predecessor-version":[{"id":4373,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/4372\/revisions\/4373"}],"wp:attachment":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/media?parent=4372"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/categories?post=4372"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/tags?post=4372"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}