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":5961,"date":"2021-01-08T07:08:52","date_gmt":"2021-01-08T07:08:52","guid":{"rendered":"https:\/\/mcpv.demarco.ddnsfree.com\/?p=5961"},"modified":"2025-09-11T08:39:52","modified_gmt":"2025-09-11T08:39:52","slug":"these-replicas-mimic-the-design-and-features-of-authentic","status":"publish","type":"post","link":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/2021\/01\/08\/these-replicas-mimic-the-design-and-features-of-authentic\/","title":{"rendered":"These replicas mimic the design and features of authentic"},"content":{"rendered":"

How to Spot a Fake Louis Vuitton Alma Bag Academy by FASHIONPHILE\n<\/p>\n

Many praise the affordable prices and trendy styles, while others express concerns about product quality and shipping times. Replica products offer a way to access designer-inspired items at lower prices, but they come with significant risks and ethical considerations. Let\u2019s explore the advantages and drawbacks of engaging with replica goods. As one of my friends said \u201cIn the Grand Bazaar, the items you see on display are not the good ones.\n<\/p>\n

A genuine designer purse is a symbol of luxury and style and also represents the creativity and often the heritage of the original brand. Yes, Hermes Kelly dupes provide a stylish, affordable alternative to the original. They allow you to enjoy the iconic design without spending a fortune. Many fashion lovers find them a valuable addition to their wardrobe. For those who prioritize cruelty-free and environmentally-friendly products, vegan options for Hermes Kelly Dupes are a great choice.\n<\/p>\n

The double G logo is super iconic, and the bags have a vintage vibe that won\u2019t go out of style anytime soon. Due to their luxury status, high price tag, and celebrity endorsers, everyone seems to want to get their hands on one of these iconic styles. Unfortunately, this has led to a massive influx of knockoff reproductions, or dupes as they\u2019re often referred to as. You usually find the best dupes by knowing the right keywords to search for, such as \u201cprinted tote bag\u201d and by knowing the right brands and their styles. From its classic design to its high-quality construction, the Goyard tote is the perfect combination of elegance and practicality. The luxurious leather and signature Goyard print add a touch of sophistication to any outfit, while the roomy interior offers ample storage space for your day-to-day life.\n<\/p>\n

After all, the production of watches requires a certain amount of technology, and the polished workmanship of a large factory is better. Many famous brand watches are also produced by these factories. Most luxury watches use Swiss-origin movements, while replica watches made in China basically use Chinese-made movements. Although the movement of the replica watch is not as good as the original one, it does not affect the use of the product. Nowadays, technology upgrades are getting faster and faster, and the manufacturing technology of bags is getting more and more advanced.\n<\/p>\n

You can also check the number type on the top of the tag that is different from a new one. If the packaging looks off, like it\u2019s low quality or missing the right branding, that could mean the bag\u2019s a fake. Legitimate platforms will carefully handle customer items and use proper packaging to prevent damage during shipping. It\u2019s a big warning sign if the platform doesn\u2019t offer refunds. When you\u2019re buying a bag online, you can\u2019t check it out up close. So, there\u2019s no promise of getting your money back if the bag turns out to be fake.\n<\/p>\n

1.Choose Sensitive Goods ChannelsUse the special cargo channels provided by express delivery companies such as FedEx, DHL, and UPS. Alibaba is a B2B platform, suitable for large-scale procurement, especially for wholesale goods. It provides buyers with a strict supplier certification and evaluation system to help find reliable replica suppliers.\n<\/p>\n

Replicas Store is specialized in a great variety of replica products including replica designer bags such as Louis Vuitton, Chanel, Gucci, Hermes, Fendi, Dior, Celine replica bags. You can easily find a great variety of replica bags by searching different keywords like \u201cluxury bags\u201d \u201creplica bags\u201d. You can even find real products with brand logos by searching the designer brands directly. Replica bags of famous brands are popular among people all around the world.\n<\/p>\n

This cross body type women shoulder bag sports a letter plain artwork any one will admire on the first sight. The bag\u2019s design is embellished with the finest hardware including Tassel chains lock. Perfect for a gift to the lady you admire for any occasion, the bag comes with an interior compartment, flap pocket and cover type closure. The lining is done in synthetic leather and the bag boasts of a durable construction. Chloe dupes are generally made in China, but there are manufacturers based out of Vietnam replica bags<\/em><\/strong><\/a>, Thailand and Korea. Most of the best high quality Chloe bag dupes are available on DHgate Replica Bags<\/em><\/strong><\/a>, but they\u2019re not as affordable as you might imagine.\n<\/p>\n

Louis Vuitton dupes are affordable alternatives to owning designer bags. These replicas mimic the design and features of authentic Louis Vuitton products, offering a similar style at a lower price point. Made from genuine or faux leather, you can find dupes in various styles like totes, backpacks, and shoulder bags. Do you dream of buying a stylish handbag to match your latest outfit?\n<\/p>\n

From the colour, leather, shape and size -each detail matters. It will also help you make \u2018smarter\u2019 choices when shopping since you will have a more realistic understanding as to what your options will be in the event you change your mind post purchase. The predominant messaging on replicas supports this idea, however anyone who has actually spent time in the replica world shopping knows that it could not be farther from the truth. Regardless of who you decide to purchase from, there are some important points to keep in mind when it comes to shopping for replicas which I have listed below. In the early 1980s, Louis Vuitton began including date codes to identify a bag\u2019s place of origin and date of manufacture.<\/p>\n","protected":false},"excerpt":{"rendered":"

How to Spot a Fake Louis Vuitton Alma Bag Academy by FASHIONPHILE Many praise the affordable prices and trendy styles, while others express concerns about product quality and shipping times. Replica products offer a way to access designer-inspired items at lower prices, but they come with significant risks and ethical considerations. Let\u2019s explore the advantages…<\/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\/5961"}],"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=5961"}],"version-history":[{"count":1,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/5961\/revisions"}],"predecessor-version":[{"id":5962,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/posts\/5961\/revisions\/5962"}],"wp:attachment":[{"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/media?parent=5961"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/categories?post=5961"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/mcpv.demarco.ddnsfree.com\/index.php\/wp-json\/wp\/v2\/tags?post=5961"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}