people are viewing this right now

Men's Viking Tribal Jacquard Celtic Knotwork Inspired Chunky Knit Hooded Sweater

$40.98
Color:  Navy blue
Size:  S
Quantity
const TAG = "spz-custom-product-automatic"; class SpzCustomProductAutomatic extends SPZ.BaseElement { constructor(element) { super(element); this.variant_id = '225241f1-aa59-4f19-ba5a-f76d055cd6e5'; this.isRTL = SPZ.win.document.dir === 'rtl'; this.isAddingToCart_ = false; // 加购中状态 } static deferredMount() { return false; } buildCallback() { this.action_ = SPZServices.actionServiceForDoc(this.element); this.templates_ = SPZServices.templatesForDoc(this.element); this.xhr_ = SPZServices.xhrFor(this.win); this.setupAction_(); this.viewport_ = this.getViewport(); } mountCallback() { this.init(); // 监听事件 this.bindEvent_(); } async init() { this.handleFitTheme(); const data = await this.getDiscountList(); this.renderApiData_(data); } async getDiscountList() { const productId = '120da0a4-bccd-4982-9dd3-01b7883908ee'; const variantId = this.variant_id; const productType = 'default'; const reqBody = { product_id: productId, variant_id: variantId, discount_method: "DM_AUTOMATIC", customer: { customer_id: window.C_SETTINGS.customer.customer_id, email: window.C_SETTINGS.customer.customer_email }, product_type: productType } const url = `/api/storefront/promotion/display_setting/text/list`; const data = await this.xhr_.fetchJson(url, { method: "post", body: reqBody }).then(res => { return res; }).catch(err => { this.setContainerDisabled(false); }) return data; } async renderDiscountList() { this.setContainerDisabled(true); const data = await this.getDiscountList(); this.setContainerDisabled(false); // 重新渲染 抖动问题处理 this.renderApiData_(data); } clearDom() { const children = this.element.querySelector('*:not(template)'); children && SPZCore.Dom.removeElement(children); } async renderApiData_(data) { const parentDiv = document.querySelector('.automatic_discount_container'); const newTplDom = await this.getRenderTemplate(data); if (parentDiv) { parentDiv.innerHTML = ''; parentDiv.appendChild(newTplDom); } else { console.log('automatic_discount_container is null'); } } doRender_(data) { const renderData = data || {}; return this.templates_ .findAndRenderTemplate(this.element, renderData) .then((el) => { this.clearDom(); this.element.appendChild(el); }); } async getRenderTemplate(data) { const renderData = data || {}; return this.templates_ .findAndRenderTemplate(this.element, { ...renderData, isRTL: this.isRTL }) .then((el) => { this.clearDom(); return el; }); } setContainerDisabled(isDisable) { const automaticDiscountEl = document.querySelector('.automatic_discount_container_outer'); if(isDisable) { automaticDiscountEl.setAttribute('disabled', ''); } else { automaticDiscountEl.removeAttribute('disabled'); } } // 绑定事件 bindEvent_() { window.addEventListener('click', (e) => { let containerNodes = document.querySelectorAll(".automatic-container .panel"); let bool; Array.from(containerNodes).forEach((node) => { if(node.contains(e.target)){ bool = true; } }) // 是否popover面板点击范围 if (bool) { return; } if(e.target.classList.contains('drowdown-icon') || e.target.parentNode.classList.contains('drowdown-icon')){ return; } const nodes = document.querySelectorAll('.automatic-container'); Array.from(nodes).forEach((node) => { node.classList.remove('open-dropdown'); }) // 兼容主题 this.toggleProductSticky(true); }) // 监听变体变化 document.addEventListener('dj.variantChange', async(event) => { // 重新渲染 const variant = event.detail.selected; if (variant.product_id == '120da0a4-bccd-4982-9dd3-01b7883908ee' && variant.id != this.variant_id) { this.variant_id = variant.id; this.renderDiscountList(); } }); } // 兼容主题 handleFitTheme() { // top 属性影响抖动 let productInfoEl = null; if (window.SHOPLAZZA.theme.merchant_theme_name === 'Wind' || window.SHOPLAZZA.theme.merchant_theme_name === 'Flash') { productInfoEl = document.querySelector('.product-info-body .product-sticky-container'); } else if (window.SHOPLAZZA.theme.merchant_theme_name === 'Hero') { productInfoEl = document.querySelector('.product__info-wrapper .properties-content'); } if(productInfoEl){ productInfoEl.classList.add('force-top-auto'); } } // 兼容 wind/flash /hero 主题 (sticky属性影响 popover 层级展示, 会被其他元素覆盖) toggleProductSticky(isSticky) { let productInfoEl = null; if (window.SHOPLAZZA.theme.merchant_theme_name === 'Wind' || window.SHOPLAZZA.theme.merchant_theme_name === 'Flash') { productInfoEl = document.querySelector('.product-info-body .product-sticky-container'); } else if (window.SHOPLAZZA.theme.merchant_theme_name === 'Hero') { productInfoEl = document.querySelector('.product__info-wrapper .properties-content'); } if(productInfoEl){ if(isSticky) { // 还原该主题原有的sticky属性值 productInfoEl.classList.remove('force-position-static'); return; } productInfoEl.classList.toggle('force-position-static'); } } setupAction_() { this.registerAction('handleDropdown', (invocation) => { const discount_id = invocation.args.discount_id; const nodes = document.querySelectorAll('.automatic-container'); Array.from(nodes).forEach((node) => { if(node.getAttribute('id') != `automatic-${discount_id}`) { node.classList.remove('open-dropdown'); } }) const $discount_item = document.querySelector(`#automatic-${discount_id}`); $discount_item && $discount_item.classList.toggle('open-dropdown'); // 兼容主题 this.toggleProductSticky(); }); // 加购事件 this.registerAction('handleAddToCart', (invocation) => { // 阻止事件冒泡 const event = invocation.event; if (event) { event.stopPropagation(); event.preventDefault(); } // 如果正在加购中,直接返回 if (this.isAddingToCart_) { return; } const quantity = invocation.args.quantity || 1; this.addToCart(quantity); }); } // 加购方法 async addToCart(quantity) { // 设置加购中状态 this.isAddingToCart_ = true; const productId = '120da0a4-bccd-4982-9dd3-01b7883908ee'; const variantId = this.variant_id; const url = '/api/cart'; const reqBody = { product_id: productId, variant_id: variantId, quantity: quantity }; try { const data = await this.xhr_.fetchJson(url, { method: 'POST', body: reqBody }); // 触发加购成功提示 this.triggerAddToCartToast_(); return data; } catch (error) { error.then(err=>{ this.showToast_(err?.message || err?.errors?.[0] || 'Unknown error'); }) } finally { // 无论成功失败,都重置加购状态 this.isAddingToCart_ = false; } } showToast_(message) { const toastEl = document.querySelector("#apps-match-drawer-add_to_cart_toast"); if (toastEl) { SPZ.whenApiDefined(toastEl).then((apis) => { apis.showToast(message); }); } } // 触发加购成功提示 triggerAddToCartToast_() { // 如果主题有自己的加购提示,则不显示 const themeAddToCartToastEl = document.querySelector('#add-cart-event-proxy'); if (themeAddToCartToastEl) return; // 显示应用的加购成功提示 this.showToast_("Added successfully"); } triggerEvent_(name, data) { const event = SPZUtils.Event.create(this.win, `${ TAG }.${ name }`, data || {}); this.action_.trigger(this.element, name, event); } isLayoutSupported(layout) { return layout == SPZCore.Layout.CONTAINER; } } SPZ.defineElement(TAG, SpzCustomProductAutomatic);
class SpzCustomDiscountBundle extends SPZ.BaseElement { constructor(element) { super(element); } isLayoutSupported(layout) { return layout == SPZCore.Layout.LOGIC; } mountCallback() {} unmountCallback() {} setupAction_() { this.registerAction('showAddToCartToast', () => { const themeAddToCartToastEl = document.querySelector('#add-cart-event-proxy') if(themeAddToCartToastEl) return const toastEl = document.querySelector('#apps-match-drawer-add_to_cart_toast') SPZ.whenApiDefined(toastEl).then((apis) => { apis.showToast("Added successfully"); }); }); } buildCallback() { this.setupAction_(); }; } SPZ.defineElement('spz-custom-discount-toast', SpzCustomDiscountBundle);
const isSpecialHeroTheme = window.SHOPLAZZA?.theme?.merchant_theme_name == 'Hero' && window.SHOPLAZZA?.theme?.merchant_theme_c_version == '2.2.19'; const specialHeroThemeClassName = 'hero_2_2_19_smart_recommend_block'; class SpzSmartBlockComponent extends SPZ.BaseElement { constructor(element) { super(element); this.templates_ = null; this.container_ = null; this.i18n_ = {}; this.config_ = {}; this.show_type_ = 3; this.product_resource_id_ = ''; this.collection_resource_id_ = ''; this.cart_items_ = []; this.customer_id_ = ''; this.order_id_ = ''; } static deferredMount() { return false; } isLayoutSupported(layout) { return layout == SPZCore.Layout.CONTAINER; } buildCallback() { const template_type = window.C_SETTINGS.meta.page.template_type; if (template_type === 1) { this.show_type_ = 3; this.product_resource_id_ = window.C_SETTINGS.meta.page.resource_id; } else if (template_type === 2) { this.show_type_ = 4; this.collection_resource_id_ = window.C_SETTINGS.meta.page.resource_id; } else if (template_type === 15){ this.show_type_ = 5; } else if (template_type === 13){ this.show_type_ = 6; } else if (template_type === 20){ this.show_type_ = 7; this.customer_id_ = window.C_SETTINGS.customer.customer_id; } else if (template_type === 35){ this.show_type_ = 8; this.order_id_ = window.location.pathname.split('/').pop(); } this.templates_ = SPZServices.templatesForDoc(this.element); this.setAction_(); } mountCallback() { const that = this; const themeName = window.C_SETTINGS.theme.merchant_theme_name; const isGeek = /Geek/.test(themeName); this.fetchRules().then((res) => { if (res && res.rules && res.rules.length) { const blockEl = document.getElementById('smart_recommend_block'); this.initBlockClass(blockEl); this.initItemClass(blockEl); SPZ.whenApiDefined(blockEl).then((api) => { api.render({data: res}, true).then(() => { if (isGeek && that.show_type_ === 6) { blockEl.querySelector('.plugin_container_wrpper').style.padding = '30px 0'; } const recommendStyle = document.createElement('style'); recommendStyle.innerHTML = ` .plugin__recommend_container,.app-recommend-card { display: none !important; } `; document.head.appendChild(recommendStyle); const fetchList = []; res.rules.forEach((rule) => { fetchList.push(this.fetchRuleProductList(rule.id)); }); const fetchAll = Promise.all(fetchList); fetchAll.then((p_res) => { res.rules.forEach((rule, index) => { rule.products = p_res[index] && p_res[index].products; if (rule.products && rule.products.length) { const modalRender = document.getElementById('smart_recommend_js_root'); const $dest = document.getElementById('cart'); const isLifeStyle = /Life.*Style/.test(window.C_SETTINGS.theme.merchant_theme_name); if (modalRender && isLifeStyle && $dest.clientWidth > 767) { modalRender.classList.add('zb-mt-[-180px]') } } const ruleEl = document.getElementById('smart_recommend_rule_' + rule.id); SPZ.whenApiDefined(ruleEl).then((api) => { api.render({data: rule}, true).then(() => { that.impressListen(`#smart_recommend_rule_ul_${rule.id}`, function(){ that.trackRuleImpress(rule); }); const btnElList = document.querySelectorAll(`#smart_recommend_rule_ul_${rule.id} button`); btnElList.forEach((btnEl) => { if (btnEl && rule.config && rule.config.quick_shop_button_bg_color && rule.config.quick_shop_button_text_color) { btnEl.style.backgroundColor = rule.config.quick_shop_button_bg_color; btnEl.style.color = rule.config.quick_shop_button_text_color; } }); if (isSpecialHeroTheme) { ruleEl.querySelectorAll(`.smart_recommend_title`).forEach(dom=>{ dom.classList.add('type-title-font-family'); }); document.querySelectorAll(`.${specialHeroThemeClassName} #smart_recommend_rule_ul_${rule.id} .zb-recommend-price-line-through .money`).forEach(dom=>{ dom.classList.add('type-body-font-family'); }); }; }); }); }); }); }) }) } else { if (window.top !== window.self) { const template_type = window.C_SETTINGS.meta.page.template_type; const holderEl = document.getElementById('smart_recommend_preview_no_data_placeholder'); SPZ.whenApiDefined(holderEl).then((api) => { api.render({data: { isCart: template_type === 13, isCollection: template_type === 2, isProduct: template_type === 1, isIndex: template_type === 15 }}, true); }); } } }); } initBlockClass(blockEl) { if (!blockEl) return; if (blockEl.parentElement && blockEl.parentElement.offsetWidth === document.body.clientWidth) { blockEl.classList.add('smart_recommend_block_fullscreen'); }; if (isSpecialHeroTheme) { blockEl.classList.add(specialHeroThemeClassName); }; } initItemClass(blockEl) { if (blockEl) { const containerWidth = blockEl.offsetWidth; let itemWidth = ''; if (containerWidth > 780) { itemWidth = '16%'; } else if (containerWidth > 600) { itemWidth = '20%'; } else { itemWidth = '24%'; } const itemStyleEl = document.createElement('style'); itemStyleEl.innerHTML = `.zb-recommend-li-item{ width: ${itemWidth}; }`; document.body.appendChild(itemStyleEl); } } setAction_() { this.registerAction('quickShop', (data) => { const that = this; const product_id = data.args.product_id; const productIndex = data.args.productIndex; const rule_id = data.args.rule_id; const ssp = data.args.ssp; const scm = data.args.scm; const cfb = data.args.cfb; const ifb = data.args.ifb; const modalRender = document.getElementById('smart_recommend_product_modal_render'); if (modalRender) { document.body.appendChild(modalRender); } if (product_id) { this.fetchProductData(product_id).then((res) => { const product = res.products && res.products.length && res.products[0] || {}; product.cfb = cfb; product.ifb = ifb; SPZ.whenApiDefined(modalRender).then((api) => { api.render({product: product, productIndex: productIndex, rule_id: rule_id, ssp: ssp, scm: scm, show_type: that.show_type_}, true).then(() => { const modalEl = document.getElementById('smart_recommend_product_modal'); SPZ.whenApiDefined(modalEl).then((modal) => { that.impressListen('#smart_recommend_product_modal', function(){ that.trackQuickShop({ rule_id: rule_id, product_id: product_id }); }); modal.open(); }); const formEl = document.getElementById('smart_recommend_product_form'); SPZ.whenApiDefined(formEl).then((form) => { form.setProduct(product); }); const variantEl = document.getElementById('smart_recommend_product_variants'); SPZ.whenApiDefined(variantEl).then((variant) => { variant.handleRender(product); }); }); }) }); } }); this.registerAction('handleScroll', (data) => { this.directTo(data.args.rule_id, data.args.direction); }); this.registerAction('handleProductChange', (data) => { const variant = data.args.data.variant; const product = data.args.data.product; const imageRenderEl = document.getElementById('smart_recommend_product_image'); SPZ.whenApiDefined(imageRenderEl).then((api) => { api.render({ variant: variant, product: product }); }); }); this.registerAction('handleAtcSuccess', (detail) => { const data = detail.args; data.data.product = data.data.product || {}; data.data.variant = data.data.variant || {}; const product_id = data.data.product.id; const product_title = data.data.product.title; const variant_id = data.data.variant.id; const price = data.data.variant.price; const rule_id = data.rule_id; const aid = `smart_recommend.${this.show_type_}.${rule_id}`; const ifb = data.data.product.ifb; const cfb = data.data.product.cfb; const ssp = data.ssp; const scm = data.scm; const spm = `smart_recommend_${this.show_type_}.${data.spmIndex}`; const params = { id: product_id, product_id: product_id, number: 1, name: product_title, variant_id: variant_id, childrenId: variant_id, item_price: price, source: 'add_to_cart', _extra: { aid: aid, ifb: ifb, cfb: cfb, scm: scm, spm: `..${window.C_SETTINGS.meta.page.template_name}.${spm}`, ssp: ssp, } }; this.tranckAddToCart(params); }); this.registerAction('addATCHook', (data) => { const params = data.args; const spm = `smart_recommend_${this.show_type_}.${params.spmIndex}`; this.myInterceptor_ = window.djInterceptors && window.djInterceptors.track.use({ event: 'dj.addToCart', params: { aid: `smart_recommend.${this.show_type_}.` + params.rule_id, ssp: params.ssp, scm: params.scm, cfb: params.cfb, spm: `..${window.C_SETTINGS.meta.page.template_name}.${spm}`, }, once: true }); }); } tranckAddToCart(detail) { if (window.$) { window.$(document.body).trigger('dj.addToCart', detail); } } fetchRules() { const payload = { show_type: this.show_type_, }; let that = this; if (this.show_type_ === 6) { let line_items = []; return this.fetchCart().then((res) => { if (res && res.cart && res.cart.line_items) { line_items = res.cart.line_items.map((item) => { return { product_id: item.product_id, variant_id: item.variant_id, quantity: item.quantity, price: item.price } }); } payload.line_items = line_items; that.cart_items_ = line_items; return that.fetchRulesRequest(payload); }); } else { if (this.show_type_ === 3) { payload.line_items = [{ product_id: this.product_resource_id_ }]; } else if (this.show_type_ === 4) { payload.collection_id = this.collection_resource_id_; } else if (this.show_type_ === 7) { payload.customer_id = this.customer_id_; } else if (this.show_type_ === 8) { payload.order_id = this.order_id_; } return this.fetchRulesRequest(payload); } } fetchRulesRequest(payload) { return fetch(window.C_SETTINGS.routes.root + "/api/possum/recommend_query", { method: "POST", headers: { "Content-Type": "application/json" }, body: JSON.stringify(payload) }).then(function(res){ if(res.ok){ return res.json(); } }); } fetchCart() { return fetch(`/api/cart/cart-select?r=${Math.random().toString(36).slice(-4)}`) .then((res) => { if (res.ok) { return res.json(); } }); } fetchRuleProductList(rule_id) { const payload = { page: 1, limit: 100, fields: ["title", "url", "image", "min_price_variant.price", "min_price_variant.compare_at_price"], rule_id: rule_id, }; if (this.show_type_ === 3) { payload.line_items = [{ product_id: this.product_resource_id_ }]; } else if (this.show_type_ === 4) { payload.collection_id = this.collection_resource_id_; } else if (this.show_type_ === 6) { payload.line_items = this.cart_items_; } else if (this.show_type_ === 7) { payload.customer_id = this.customer_id_; } else if (this.show_type_ === 8) { payload.order_id = this.order_id_; } return fetch(window.C_SETTINGS.routes.root + "/api/possum/recommend_products", { method: "POST", headers: { "Content-Type": "application/json" }, body: JSON.stringify(payload) }).then(function(res){ if(res.ok){ return res.json(); } }).catch(function(err){ console.log(err); }); } fetchProductData(product_id) { return fetch(window.C_SETTINGS.routes.root + "/api/possum/products", { method: "POST", headers: { "Content-Type": "application/json" }, body: JSON.stringify({ product_ids: [product_id], fields: [ "images", "options", "min_price_variant", "variants"] }) }).then(function(res){ if(res.ok){ return res.json(); } }).catch(function(err){ console.log(err); const loadingEl = document.getElementById('smart_recommend_loading'); if (loadingEl) { loadingEl.style.display = 'none'; } }); } getStyle(ele, style) { if (!ele) return; if (window.getComputedStyle) { return window.getComputedStyle(ele)[style]; } return ele.currentStyle[style]; } directTo(id, direction) { const scrollElement = document.getElementById(`smart_recommend_rule_ul_${id}`); const blockWidth = parseInt(this.getStyle(scrollElement, 'width')); const scrollLength = (blockWidth * 0.19 - 12) * 5; const scrollPoint = scrollElement.scrollWidth - scrollElement.clientWidth; if (!scrollElement) return; if (direction === 'left') { if (document.dir === 'rtl') { scrollElement.scrollTo({ left: Math.abs(scrollElement.scrollLeft) >= scrollPoint - 100 ? 0 : scrollElement.scrollLeft - scrollLength, behavior: 'smooth' }); return; } scrollElement.scrollTo({ left: Math.max(scrollElement.scrollLeft - scrollLength, 0), behavior: 'smooth' }); } else { if (document.dir === 'rtl') { scrollElement.scrollTo({ left: Math.abs(scrollElement.scrollLeft) >= scrollPoint + 100 ? 0 : scrollElement.scrollLeft + scrollLength, behavior: 'smooth' }); return; } scrollElement.scrollTo({ left: scrollElement.scrollLeft >= scrollPoint - 100 ? 0 : scrollElement.scrollLeft + scrollLength, behavior: 'smooth' }); } } trackRuleImpress(rule) { if (window.sa && window.sa.track) { window.sa.track("plugin_common", { plugin_name: "upsell", event_type: "impressions", rule_id: rule.id, ssp: rule.ssp, scm: rule.scm, show_type: this.show_type_, support_app_block: window.C_SETTINGS.theme.support_app_block }); window.sa.track("module_impressions", { aid: `smart_recommend.${this.show_type_}.${rule.id}`, support_app_block: window.C_SETTINGS.theme.support_app_block }); } } trackQuickShop(data) { window.sa && sa.track && sa.track("plugin_common", { plugin_name: "upsell", event_type: "quick_shop", rule_id: data.rule_id, product_id: data.product_id, show_type: this.show_type_, }); } impressListen(selector, cb) { const el = document.querySelector(selector); const onImpress = (e) => { if (e) { e.stopPropagation(); } cb(); }; if (el && !el.getAttribute('imprsd')) { el.addEventListener('impress', onImpress) } else if (el) { onImpress(); } } } SPZ.defineElement('spz-custom-smart-block', SpzSmartBlockComponent);
Shipping
Follow the carbon cycle
Spot stock direct delivery
7-12 days working days for delivery
Secure payments
/** @private {string} */ class SpzCustomAnchorScroll extends SPZ.BaseElement { static deferredMount() { return false; } constructor(element) { super(element); /** @private {Element} */ this.scrollableContainer_ = null; } isLayoutSupported(layout) { return layout == SPZCore.Layout.LOGIC; } buildCallback() { this.viewport_ = this.getViewport(); this.initActions_(); } setTarget(containerId, targetId) { this.containerId = '#' + containerId; this.targetId = '#' + targetId; } scrollToTarget() { const container = document.querySelector(this.containerId); const target = container.querySelector(this.targetId); const {scrollTop} = container; const eleOffsetTop = this.getOffsetTop_(target, container); this.viewport_ .interpolateScrollIntoView_( container, scrollTop, scrollTop + eleOffsetTop ); } initActions_() { this.registerAction( 'scrollToTarget', (invocation) => this.scrollToTarget(invocation?.caller) ); this.registerAction( 'setTarget', (invocation) => this.setTarget(invocation?.args?.containerId, invocation?.args?.targetId) ); } /** * @param {Element} element * @param {Element} container * @return {number} * @private */ getOffsetTop_(element, container) { if (!element./*OK*/ getClientRects().length) { return 0; } const rect = element./*OK*/ getBoundingClientRect(); if (rect.width || rect.height) { return rect.top - container./*OK*/ getBoundingClientRect().top; } return rect.top; } } SPZ.defineElement('spz-custom-anchor-scroll', SpzCustomAnchorScroll); const STRENGTHEN_TRUST_URL = "/api/strengthen_trust/settings"; class SpzCustomStrengthenTrust extends SPZ.BaseElement { constructor(element) { super(element); this.renderElement_ = null; } isLayoutSupported(layout) { return layout == SPZCore.Layout.CONTAINER; } buildCallback() { this.xhr_ = SPZServices.xhrFor(this.win); const renderId = this.element.getAttribute('render-id'); SPZCore.Dom.waitForChild( document.body, () => !!document.getElementById(renderId), () => { this.renderElement_ = SPZCore.Dom.scopedQuerySelector( document.body, `#${renderId}` ); if (this.renderElement_) { this.render_(); } this.registerAction('track', (invocation) => { this.track_(invocation.args); }); } ); } render_() { this.fetchData_().then((data) => { if (!data) { return; } SPZ.whenApiDefined(this.renderElement_).then((apis) => { apis?.render(data); document.querySelector('#strengthen-trust-render-1539149753700').addEventListener('click',(event)=>{ if(event.target.nodeName == 'A'){ this.track_({type: 'trust_content_click'}); } }) }); }); } track_(data = {}) { const track = window.sa && window.sa.track; if (!track) { return; } track('trust_enhancement_event', data); } parseJSON_(string) { let result = {}; try { result = JSON.parse(string); } catch (e) {} return result; } fetchData_() { return this.xhr_ .fetchJson(STRENGTHEN_TRUST_URL) .then((responseData) => { if (!responseData || !responseData.data) { return null; } const data = responseData.data; const moduleSettings = (data.module_settings || []).reduce((result, moduleSetting) => { return result.concat(Object.assign(moduleSetting, { logos: (moduleSetting.logos || []).map((item) => { return moduleSetting.logos_type == 'custom' ? this.parseJSON_(item) : item; }) })); }, []); return Object.assign(data, { module_settings: moduleSettings, isEditor: window.self !== window.top, }); }); } } SPZ.defineElement('spz-custom-strengthen-trust', SpzCustomStrengthenTrust);

Description

Description

Description

Description

SPU: DZ-233071-LSX

Pattern: Celtic With Rose And Tree Of Life

Process: Knitted

Style: Vintage

Length: Mid-Length

Collar: Hoodie Collar

Popular Elements: Chunky Knit, Viking Tribal Jacquard

Sleeve Type: Long Sleeve

Occasion: Daily

Theme: Spring, Fall, Winter

NOTE: If you are not sure, please choose a larger size. If you have any doubts about this product, we suggest you contact our customer service team. Due to the color difference between the screens of different electronic devices (computers, mobile phones or ipads), especially the CRT screen and the LCD screen, the color of the item may be slightly different from what you see in the photos, please take the actual product as the standard.

SizeBustLengthSleeve
cminchcminchcminch
S11042.97027.36425.0
M11645.27228.16525.4
L12247.67428.96625.7
XL12849.97629.66726.1
2XL13452.37830.46826.5
3XL14054.68031.26926.9
4XL14656.98232.07027.3
5XL15259.38432.87127.7
Due to manual measurement, there may be an error of 1-3cm

Payment Method

How can I pay for my order with credit\debit card?

You can use any of the payment types listed below to pay for your order. We take your security very seriously, therefore your details are safe with us.

Please see below the payment methods we accept:

Please note that menweary.com does not collect your credit/debit card number or personal information when you make a payment. We also take fraud very seriously too, so all credit and debit card holders are subject to validation and authorisation by both us and the card issuer. To better protect our customers when making online payments by card you may be presented with 3D secure security measures when paying. This is dependent on your bank issuer and may require you to enter a password or get a security code via email or phone, or the bank issuer requires additional interaction, either through fingerprint, two-factor authentication, or similar methods based on authentication factors. For more questions regarding the authentication, please consult your card-issuing bank for information.

My payment was declined when using with credit\debit card, what should I do?

  1. Place your order again

If your payment has been declined, then you'll need to place your order again. We're not able to reinstate an order once the payment has been declined.

  1. Make the relevant checks

To help ensure your order is not declined when placing a new order we suggest checking the following:

Check the card details on your to make sure the information is correct, e.g. the expiry date .

Make sure you enter the security code correctly - that's the three digit number on the back of your card.

Your card issuer may have declined your payment - as they don't tell us the reason for this, it's best to check with them or contact your bank.

If you've checked all of the above, try paying with another card or another payment method.

  1. Next steps

If your payment has been declined through the 3D secure security measures you’ll need to contact your bank for further information.

Whereas, if you've received an error message, please contact us with as many details as you can about the issue - including the error messages you receive, and we'll try to resolve it as soon as we can.

Pay with PayPal

PayPal is an easy way to integrate today’s most popular payment methods. And PayPal makes it simple to add new payment methods whenever they become available.

Firstly, you can set up a Paypal account on the PayPal website. It only takes minutes to open a PayPal account and it’s free. And then when pay with Paypal, you will be redirected to the PayPal payment page, where you can confirm your payment by logging in with your PayPal username and password.

Also You may still check out even without a PayPal account. To do so, please click on”Pay with Debit/Credit Card” and you will be redirected to a secure page where you can enter your credit card information or complete your payment safely via PayPal.


Why pay with PayPal?
It's safer: shop at thousands of websites without sharing your financial details.
It's faster: with no need to type in your card details, you can check out in a few clicks.
It's easier: all you need is an email address and password to pay online.

Shipping&Delivery

STANDARD SHIPPING

For standard shipping, orders will be delivered by the national postal service of the destination country. For shipping outside the United States, you might be required to sign on the package to receive the item, and thus please choose an address that someone is available to receive the package during business hours.

DO YOU SHIP INTERNATIONALLY?

Yes, we do offer worldwide shipping! (Excluding India,  Mexico, Dominica, Reunion, Iraq, Mozambique, French Guiana, French Polynesia, Panama, Maldives, Ecuador, Guadeloupe, Martinique, Palau, Turks and Caicos Islands, Seychelles, Mauritius, Trinidad and Tobago, Zambia, Cote d'Ivoire, they are not included in the scope of delivery.)

IMPORT TAXES AND DUTIES:

United States is tax free. Some countries/regions outside the United States have already charged a 10% tax at the time of checkout,and the courier company will no longer charge from customers.(such as UK and EU 27 countries:Austria,Belgium,Bulgaria,Hungary,Germany,Greece,Denmark,Ireland,Spain,Italy,Cyprus,Latvia,Lithuania,Luxembourg,Malta,Netherlands,Poland,Portugal,Romania,Slovakia,Slovenia,Finland,France,Croatia,Czech Republic,Sweden and Estonia)Exept mentioned above countries,if others need to pay import taxes,customs duties and related customs fees for imports.These fees (if applicable)are determined and collected by the customs of the destination country.For more detailed information on charges,please contact your local customs directly.

UNITED STATE AND OTHER COUNTRIES SHIPPING COST

Order over $69---Free shipping
Order $0-$68.99---Shipping fee $9.99
(It is applicable only to orders with total value after discount)

HOW LONG DOES SHIPPING NORMALLY TAKE?

1.NORMAL PRODUCTS
Receiving Time=Processing Time+Shipping Time

  • Processing Time: 5-9 Business Days
  • Shipping Time: 5-18 Business Days

2.PRE-ORDER
Delivery Time= Test time+ Stocking time+Shipping time

  • Test Time(products sale test online): 3-5 Days
  • Stocking Time: 10-12 Days
  • Shipping Time: 5-18 Business Days
STANDARD SHIPPING
MethodCountryShipping time
(Business days)
Standard Shipping
United States
10-14
United Kingdom
5-8
Canada
12-18


The above are estimated time required by the postal service and does not include the processing time of the Customs in the destination country. In some cases, the local Customs office of your country may require additional documents and time to have your package cleared, and this may also cause further delay on the delivery.

HOW CAN I GET MY TRACKING CODE?

Every customer will receive their track&trace code automatically, once we have your order ready for shipping. The track&trace code will be sent to your Email, which you filled in our system. In some instances, the carrier's tracking information may only be available in 1-2 business days after the order is shipped.

Will my package be delivered to my house or to the post office for me to pick it up?

Your order will arrive at your house. There may be exceptions that door-to-door delivery service is not provided in particular cities/areas/countries, though this is rare.

Please allow extra time for your order to be processed during public holidays and busy periods. Customs and Postal Service may also require extra time to work on the processing/delivery during peak season or before major festivals (e.g., Valentine’s Day). For details on public holidays in the destination country, please refer to the local government website. Please also note that delays may occur as a result of pending payment authorizations.

 HOW DO I TRACK MY ORDER?

  • For worldwide common tracking tool:

Why do I have to pay the standard shipping fee for my order?

Free standard shipping is applicable only to orders with a total value (after discount) over USD 69

under normal circumstances.The shipping cost of the return and exchange shall be borne by the buyer.


Still not getting your answers? Email us anytime at  

menweary SPU: DZ-233071-LSXPattern: Celtic With Rose And Tree Of LifeProcess: KnittedStyle: VintageLength: Mid-LengthCollar: Hoodie CollarPopular Elements: Chunky Knit, Viking Tribal JacquardSleeve Type: Long SleeveOccasion: DailyTheme: Spring, Fall, WinterNOTE: If you are not sure, please choose a larger size. If you have any doubts about this product, we suggest you contact our customer service team. Due to the color difference between the screens of different electronic devices (computers, mobile phones or ipads), especially the CRT screen and the LCD screen, the color of the item may be slightly different from what you see in the photos, please take the actual product as the standard.SizeBustLengthSleevecminchcminchcminchS11042.97027.36425.0M11645.27228.16525.4L12247.67428.96625.7XL12849.97629.66726.12XL13452.37830.46826.53XL14054.68031.26926.94XL14656.98232.07027.35XL15259.38432.87127.7Due to manual measurement, there may be an error of 1-3cm 36.99

Return & Refund Policy

Return Policy

For products purchased from pugliahome, you are entitled to a 14-day no-reason return period, calculated from the date of receipt of the goods. If the product has quality issues, you can contact us via the following email: pugliahome@outlook.com.


Return Conditions

  • Keep the product in its original condition: unworn, unwashed, and undamaged, and it should not affect secondary sales.

  • Please return the product with the complete original packaging, accessories, product labels, invoices, and other items.

  • If there are quality issues with the product, please provide clear photos or videos as evidence.

  • Custom-made items (such as embroidered, tailored, or personalized items) are final sale and cannot be returned, exchanged, or refunded.


Friendly Reminder

Thank you for shopping with us. Due to the nature of our products, we do not accept returns or offer refunds in the following cases:

  • Final Sale/Discounted Items: All items purchased during promotional periods or with significant discounts are final sale and cannot be returned or refunded.

  • Jewelry & Accessories: For hygiene and safety reasons, all jewelry, accessories, and personalized items are non-returnable and non-refundable.

  • Return Shipping Costs

    • If the return is caused by the consumer (such as changing your mind, incorrect size, or dislike of the color), the consumer is responsible for the return shipping fee. The specific fee will depend on the express company you choose. We recommend using a trackable shipping method to monitor the return shipment.

    • If the return is caused by our reasons (such as receiving damaged or incorrect goods), the consumer is not required to bear any return shipping fees.


Return Process

  • Within the specified return period, submit a return request via email or online customer service, including the order number, reason for return, and other relevant information.

  • After customer service approves the return, we will provide the return address and return instructions.

  • Follow the instructions for returning the product, and we recommend using a trackable shipping method to track the logistics.

  • Once we receive and verify the returned item, we will process the refund according to your original payment method. The refund processing time is typically 5-7 business days.

Shipping & Handling

Shipping & Handling

We ship worldwide—and we are excited to get your order to you as quickly and smoothly as possible!


Processing Time

Before we ship, we need a little time to carefully pack your order. Most orders are processed and shipped within 1-3 business days. If there's a delay (for example, due to a surge in orders for a popular item), we will notify you via email—we don’t like making you wait!


Shipping Times

Estimated delivery times may vary depending on your location:

Orders within the United States:

  • Standard Shipping:
    After payment is received, product customization will take 7 calendar days, and the package will arrive within 7–14 calendar days after shipping.

  • Express Shipping:
    If you prefer faster delivery, select Express Shipping, and your package will arrive within 7 calendar days after shipping.


International Orders (Outside the United States):

  • Standard Shipping:
    After shipping, it typically takes 7–14 business days to arrive, depending on the destination.

  • Express Shipping:
    If you'd like to receive your order sooner, choose Express Shipping, which typically takes 3–7 business days after shipping.

Please note, customs checks or local postal delays may sometimes affect shipping times, which are beyond our control. However, if your package is delayed, we will assist you in tracking it down.


Shipping Costs

Shipping fees are automatically calculated at checkout based on your delivery address and chosen shipping method. We also occasionally offer free shipping promotions, so be sure to keep an eye out!


Tracking Your Shipment

Once your order has shipped, we’ll send you a tracking number via email. Simply enter the tracking number on the carrier's website, and you’ll be able to track your package every step of the way.


A Few Notes

  • Please make sure your shipping address is correct. Once a package has shipped, we cannot change the address.

  • International orders may be subject to customs fees or taxes based on your country’s regulations. These charges are the buyer's responsibility and are not collected by pugliahome. If you're unsure, we recommend contacting your local customs office for more information.


Contact Us

If you have any questions about your shipment, please feel free to email us at pugliahome@gmail.com. We are happy to assist you with any inquiries or help track down your package.

Privacy Policy

pugliahome Privacy Policy

Your trust means everything to us. This policy explains how we collect, use, and protect your personal information when you shop with pugliahome.


1. Information We Collect

We only collect what’s necessary to serve you better:

  • What You Provide: Name, email, shipping/billing address, phone number, and payment details when placing an order.

  • Automatic Data: Device type, IP address, and browsing behavior (via cookies) to help improve our website.

  • From Third Parties: Payment processors (e.g., PayPal, Stripe) share transaction details; carriers provide delivery updates.


2. How We Use Your Information

Your data helps us:

  • Process orders and send shipping/tracking details.

  • Respond to your questions via email or online chat.

  • Personalize your shopping experience (such as size recommendations).

  • Send marketing emails if you opt-in (unsubscribe anytime).

  • Prevent fraud and comply with legal requirements.


3. Data Sharing

We never sell your personal information. We may share data only with:

  • Service Providers: Payment gateways, shipping carriers (e.g., DHL, FedEx), and email platforms to fulfill your order.

  • Legal Requirements: If required by law or to protect our rights.


4. International Data Transfers

As a global brand, your data may be processed outside your country. We ensure all partners maintain strict security standards.


5. Your Rights & Choices

You have control over your information. You may:

  • Access, correct, or delete your account data.

  • Opt out of marketing emails by clicking “unsubscribe.”

  • Disable cookies in your browser settings (note: this may affect site functionality).

  • Request data portability or restrict data processing.

To exercise these rights, contact us at pugliahome@outlook.com


6. Data Security

We use SSL encryption, secure payment processing, and regular audits to safeguard your information.


7. Cookies

We use cookies to:

  • Remember your cart items.

  • Analyze site traffic (via Google Analytics).

  • Personalize ads (you may opt out via browser or ad settings).


8. Children’s Privacy

Our website is not directed at individuals under 16. We do not knowingly collect their information.


9. Contact Us

For privacy-related questions, please contact our Data Protection Officer:

  • Email: pugliahome@outlook.com