g10 유리 에폭시 시트를 제작하는 데 사용되는 두 가지 주요 구성 요소입니다. 그렇다면 귀하가 때때로 듣게 될 수 있는 이러한 튜브들은 무엇일까요...">
,需要通过父级DOM结构来判断
*/
var trackActionPhone = function (node) {
var nodeInnerText = node.innerText || '';
if (!limitRegLength(nodeInnerText)) return;
var nodeText = trimText(nodeInnerText);
if (nodeText.length < 5 || nodeText.length > 20) return false;
var type =
arguments.length > 1 && arguments[1] !== undefined
? arguments[1]
: 'click';
var str = trimText(node.href || node.innerHTML || '');
if (phoneReg.test(str) && numUseReg.test(str)) {
_paq.push(['trackEvent', type, 'phone', nodeText]);
return true;
}
/** 排查父级嵌套非标签场景,并且对dom的正则校验做一个性能兜底,通过控制innerText的长度,来确保正则的性能 */
var fatherText = trimText(node.parentNode.innerText || '');
if (fatherText.length < 5 || fatherText.length > 20) return false;
var fatherDom = trimText(node.parentNode.innerHTML || '');
if (phoneReg.test(fatherDom) && numUseReg.test(fatherDom)) {
_paq.push(['trackEvent', type, 'phone', nodeText]);
return true;
}
return false;
};
window.addEventListener('click', function (e) {
var node = e.target;
/** 社媒点击 */
var appName = '';
var getAppAriaLabel =
node.ariaLabel || node.parentNode.ariaLabel || '';
if (mediaList.includes(getAppAriaLabel.toLowerCase())) {
appName = getAppAriaLabel;
}
if (
!appName &&
node.nodeName &&
node.nodeName.toLowerCase() === 'a'
) {
appName = getMediaName(node.href) || getMediaName(node.alt);
}
if (
!appName &&
node.nodeName &&
node.nodeName.toLowerCase() === 'img'
) {
appName = getMediaName(node.alt) || getMediaName(node.src);
}
if (
!appName &&
node.nodeName &&
node.nodeName.toLowerCase() === 'i'
) {
appName = getMediaName(node.className);
}
if (appName) {
_paq.push(['trackEvent', 'click', 'contactApp', appName]);
return;
}
/** 联系方式点击 */
if (trackActionPhone(node, 'click')) return;
if (node.nodeName && node.nodeName.toLowerCase() === 'a') {
var val = node.href;
if (!limitRegLength(val)) return;
if (emailReg.test(val)) {
_paq.push(['trackEvent', 'click', 'email', val]);
return;
}
}
if (node.nodeName && node.nodeName.toLowerCase() === 'i') {
var val = node.className;
var content = node.parentNode.href || '';
if (val.includes('email')) {
_paq.push(['trackEvent', 'click', 'email', content]);
return;
}
}
var nodeChildList = node.childNodes;
for (var i = 0; i < nodeChildList.length; i++) {
if (nodeChildList[i].nodeType !== 3) continue;
var val = nodeChildList[i].textContent.replace(/\s?:?/g, '');
if (!limitRegLength(val)) continue;
if (emailReg.test(val)) {
_paq.push(['trackEvent', 'click', 'email', val]);
return;
}
}
trackNumberData(node);
});
window.addEventListener('copy', function (e) {
if (trackActionPhone(e.target, 'copy')) return;
var text = e.target.textContent;
if (!text) return;
var val = text.replace(/\s:?/g, '');
if (!limitRegLength(val)) return;
if (emailReg.test(val)) {
_paq.push(['trackEvent', 'copy', 'email', val]);
return;
}
trackNumberData(e.target);
});
}
trackContactInit();
/**
* 基于custom_inquiry_form.js 以及 form.js 对于询盘表单提交的实现,来反推询盘表单的input标签触发,用来收集意向客户
* 1. 缓存的KEY:TRACK_INPUT_ID_MTM_00;
* 2. 缓存策略 - lockTrackInput:单个页面内,10分钟内,不重复上报
*/
function trackActionInput() {
const CACHE_KEY = 'TRACK_INPUT_ID_MTM_00';
const pathName = window.location.hostname + window.location.pathname;
var lockTrackInput = function () {
try {
const lastCacheData = localStorage.getItem(CACHE_KEY);
if (!lastCacheData) return false;
const cacheData = JSON.parse(lastCacheData);
const cacheTime = cacheData[pathName];
if (!cacheTime) return false;
return Date.now() - cacheTime < 1000 * 60 * 10; // 10分钟内,不重复上报
} catch (error) {
console.error('lockTrackInput Error', error);
return false;
}
};
var setInputTrackId = function () {
try {
const curCacheData = localStorage.getItem(CACHE_KEY);
if (curCacheData) {
const cacheData = JSON.parse(curCacheData);
cacheData[pathName] = Date.now();
localStorage.setItem(CACHE_KEY, JSON.stringify(cacheData));
return;
}
const cacheData = {
[pathName]: Date.now(),
};
localStorage.setItem(CACHE_KEY, JSON.stringify(cacheData));
} catch (error) {
console.error('setInputTrackId Error', error);
}
};
var getInputDom = function (initDom) {
var ele = initDom;
while (ele) {
/**
* isWebSiteForm 是站点的表单
* isChatWindowForm 是聊天窗口的表单
*/
/** 旧模板表单 */
var isWebSiteForm = !!(
/crm-form/i.test(ele.className) && ele.querySelector('form')
);
/** 1:新模板自定义表单、2:Get a Quote 弹框表单 */
var isWebSiteFormNew = !!(
/inquiry/i.test(ele.className) && ele.querySelector('form')
);
if (isWebSiteForm || isWebSiteFormNew) {
_paq.push(['trackEvent', 'formInquiry', 'formInput', 'page']);
setInputTrackId();
return;
}
/** Mkt会话触达-聊天弹框的表单输入: MKT由于是iframe嵌入,所以MKT的上报,会单独写到MKT-form代码上 */
var isInquiryChatForm = !!(
/comp-form/i.test(ele.className) && ele.querySelector('form')
);
if (isInquiryChatForm) {
_paq.push(['trackEvent', 'formInquiry', 'formInput', 'chat']);
setInputTrackId();
return;
}
/** 向上查找父节点 */
ele = ele.parentNode;
}
};
function initInputListener() {
var inputUseDebounce = function (fn, delay) {
var timer = null;
var that = this;
return function () {
var args = Array.prototype.slice.call(arguments);
if (timer) clearTimeout(timer);
timer = setTimeout(function () {
fn.apply(that, args);
}, delay);
};
};
var optimizeGetInputDom = inputUseDebounce(getInputDom, 300);
window.addEventListener('input', function (e) {
/** 如果已经上报过,则不再上报 */
if (lockTrackInput()) return;
optimizeGetInputDom(e.target);
});
}
try {
initInputListener();
} catch (error) {
console.log('initInputListener Error', error);
}
}
trackActionInput();
}
/** 第三方消息上报:目前主要是针对全点托管会话;在msgCollect/index.js中调试,访问test.html */
function thirdMsgCollect() {
/** 先检测是否是stayReal托管:如果stayReal脚本都没有,那么说明当前站点未开启stayReal会话托管 */
const scriptList = Array.prototype.slice.call(
document.querySelectorAll('script'),
);
const checkStayReal = () =>
!!scriptList.find((s) => s.src.includes('stayreal.xiaoman.cn'));
if (!checkStayReal()) return;
/** 缓存当前消息队列的最后一条消息id */
const CACHE_KEY = 'CACHE_KEY_MONITOR';
const setCache = (msgIndex) => {
/** 对缓存KEY进行base64转码处理 */
const cacheMsgIndex = btoa(msgIndex);
localStorage.setItem(CACHE_KEY, cacheMsgIndex);
};
const getCache = () => {
const cacheMsgIndex = localStorage.getItem(CACHE_KEY);
if (cacheMsgIndex) return Number(atob(cacheMsgIndex));
return -1;
};
/** 拉取最新msg列表 */
const pullMsgList = () => {
const msgEleList = Array.prototype.slice.call(
document.querySelectorAll('#chat-list li'),
);
const msgIds = [];
const msgMap = msgEleList.reduce((acc, item) => {
const sendTime = item
.querySelector('.message-data-time')
.textContent.trim();
const sendContent = item.querySelector('.message').textContent.trim();
/** msg带有class:other-message的是访客消息,my-message的是客服消息 */
const isOtherMessage = item
.querySelector('.message')
.classList.contains('other-message');
const msgId = item.querySelector('.message').getAttribute('id');
const msgItemData = {
msgId,
user: isOtherMessage ? 'visitor' : 'official',
time: sendTime,
content: sendContent,
};
msgIds.push(msgId);
acc[msgId] = msgItemData;
return acc;
}, {});
return {
ids: msgIds,
dataMap: msgMap,
};
};
/** 加密并上传消息数据 */
let ENCRYPT_KEY = 'de29f1aab63ab033';
let ENCRYPT_IV = 'b8d2badf875e76ac';
const baseUrl = 'https://cms.xiaoman.cn';
// var getEncryptConfig = function () {
// const url = baseUrl + '/shop-api/innerApi/getKeyIv'
// $.get(
// url,
// function (result) {
// console.log('result', result)
// if (Number(result.code) === 0 && result.data.key && result.data.iv) {
// ENCRYPT_KEY = result.data.key
// ENCRYPT_IV = result.data.iv
// uploadMsgData()
// } else {
// /** 如果获取失败,则重试 */
// setTimeout(() => {
// getEncryptConfig()
// }, 1000)
// }
// },
// 'json'
// )
// }
// getEncryptConfig()
const encryptMsg = function (msgData) {
const enc = new TextEncoder();
// 转字节
const keyBytes = enc.encode(ENCRYPT_KEY);
const ivBytes = enc.encode(ENCRYPT_IV);
const plainBytes = enc.encode(msgData);
// 导入密钥并加密
return crypto.subtle
.importKey('raw', keyBytes, { name: 'AES-CBC' }, false, ['encrypt'])
.then(function (cryptoKey) {
return crypto.subtle.encrypt(
{ name: 'AES-CBC', iv: ivBytes },
cryptoKey,
plainBytes,
);
})
.then(function (encryptedBuffer) {
// 转 base64 返回
return btoa(
String.fromCharCode(...new Uint8Array(encryptedBuffer)),
);
})
.catch((err) => {
return Promise.reject(err);
});
};
let uploadFlag = false;
const uploadMsgData = function () {
if (uploadFlag) return;
uploadFlag = true;
const { ids, dataMap } = pullMsgList();
let cacheMsgIndex = getCache();
const msgLen = ids.length;
if (!msgLen) {
// 消息DOM未挂载 || 消息DOM已挂载,但是消息列表为空
uploadFlag = false;
return;
}
if (msgLen - 1 < cacheMsgIndex) {
/** 针对站点挂后台一段时间,消息列表会自动塞入重复消息,导致消息有重复,刷新后又重置回正常消息列表,所以这里需要更新锚点下标 */
cacheMsgIndex = msgLen - 1;
setCache(cacheMsgIndex);
uploadFlag = false;
return;
}
if (msgLen - 1 === cacheMsgIndex) {
// 缓存的最后一次发送的消息ID是最后一条(说明当前消息均已经上报),则不跳过本地上报
uploadFlag = false;
return;
}
const currentMsgIds = ids.slice(cacheMsgIndex + 1, msgLen);
const currentMsgData = currentMsgIds.map((id) => dataMap[id]);
const mtmId = window.matomo_site_id_cookie_key || ''; // 获取mtm会话id
const msgBody = {
mtmId,
curl: window.location.href,
msgList: currentMsgData,
};
const msgBodyStr = JSON.stringify(msgBody);
encryptMsg(msgBodyStr)
.then(function (encryptedMsg) {
console.log('encryptedMsg:', encryptedMsg, msgBodyStr);
const url = baseUrl + '/shop-api/External/ListenSiteActiveStatus';
$.ajax({
type: 'POST',
url,
data: JSON.stringify({ d_v: encryptedMsg }),
contentType: 'application/json',
success: function (result) {
if (Number(result.code) === 0) {
// 更新消息队列
setCache(msgLen - 1);
}
uploadFlag = false;
},
error: function (err) {
console.error(err, '请求异常');
uploadFlag = false;
},
});
})
.catch((err) => {
console.error(err, '数据加密失败');
uploadFlag = false;
});
};
/** 监控chat-list的DOM变更 */
const initChatListObserver = () => {
// 需要监听的 DOM 节点
const target = document.getElementById('chat-list');
if (!target) return;
// 回调函数
const callback = function (mutationsList, observer) {
for (const mutation of mutationsList) {
console.log('mutation', mutation);
if (mutation.type === 'childList') {
uploadMsgData();
}
}
};
// 配置
const config = {
childList: true, // 监听子节点的增删
subtree: true, // 是否也监听后代节点
};
// 创建 observer
const observer = new MutationObserver(callback);
// 开始监听
observer.observe(target, config);
};
let testCount = 30;
let itv = null;
const checkChatDom = () => !!document.querySelector('#vc-model');
const initTalkCheck = () => {
itv = setTimeout(() => {
console.log('checkChatDom', checkChatDom(), testCount);
if (!checkChatDom() && testCount > 0) {
testCount--;
initTalkCheck();
return;
}
clearTimeout(itv);
uploadMsgData();
initChatListObserver();
}, 1500);
};
initTalkCheck();
}
try {
gtmTrack();
thirdMsgCollect();
console.log('inserted gtm code');
} catch (error) {
console.error('gtmTrack Error', error);
}
});
})();
유리 섬유와 레진은 g10 유리 에폭시 시트 라는 특정 유형의 튜브를 만들기 위해 사용되는 두 가지 주요 구성 요소입니다. 그래서 당신이 FRP 튜브라고 부르는 것을 들을 수도 있습니다 — 섬유 강화 폴리머 튜브. 이러한 튜브는 매우 실용적이며 다양한 작업에 사용될 수 있습니다. 따라서 파이프를 수리하고 전선을 보호하는 데 도움을 줍니다. 이것이 그들이 매우 유명한 이유입니다. 왜냐하면 그들은 매우 열악한 조건에서도 우수한 성능을 발휘하기 때문입니다. 유리 에폭시 튜브의 가장 강력한 특징은 그들의 강도입니다. 하나의 중형 기계는 많은 것을 견딜 수 있습니다. 이것이 바로 많은 압력이 가해지는 파이프, 예를 들어 물이나 가스 배관의 수리에 적합하게 만드는 것입니다. 그들은 강하기 때문에 쉽게 깨지지 않습니다. 또한 녹과 화학 물질에도 저항하므로 재료가 오랫동안 사용될 수 있습니다. 이러한 내구성은 비열한 기후나 혹독한 환경에서도 신속히 열화되지 않는 신뢰할 수 있는 자재를 필요로 하는 사람들에게 중요합니다. 좋은 품질의 fr4 glass epoxy sheet , 또한, 그들은 매우 가볍다는 장점이 있습니다. 이는 그들을 한 장소에서 다른 장소로 쉽게 옮기고 들 수 있음을 의미합니다. 그들은 무거운 기계 없이도 설치하기 쉽도록 설계되었습니다. 튜브는 유연하며 다양한 프로젝트에 맞게 크기를 조정하여 자를 수 있어 다양한 상황에서 유용합니다. 작업자들이 자신의 필요에 따라 작업 영역을 조정할 수 있기 때문에 작업을 더 효율적이고 효과적으로 완료할 수 있습니다. 파이프 수리는 종종 매우 비용이 많이 들고 시간이 오래 걸립니다. 그러나 유리 에폭시 튜브를 사용하는 것은 비용을 절감하는 현명한 방법이 될 수 있습니다. 이러한 튜브는 간단한 설치를 위해 설계되었으므로 건설 노동자들이 작업을 완료하는 데 덜 많은 시간을 낭비하게 됩니다. 이 빠른 설치 과정은 그들이 프로젝트에 투입한 시간이 줄어들었음을 의미하며, 이는 분명히 인건비를 줄이는 결과를 가져옵니다. 그리고 이러한 튜브가 녹과 유해 화학 물질에 저항하기 때문에 파이프의 수명을 연장하는 데 도움을 주기도 합니다. 이는 장기적으로 미래에 필요한 고비용의 수리를 줄여주며, 추가적인 절약 효과를 제공합니다. 이 유리 에폭시 튜브는 특히 도전적이거나 열악한 환경에서 완료해야 하는 작업에 매우 유용합니다. 예를 들어, 이들은 고압과 마모가 심한 환경에서 접촉하며 석유 및 가스 산업에서 사용됩니다. 그들은 내구성이 뛰어나 이러한 상황에 적합합니다. 또한 항공 우주 산업에서도 극端적인 온도와 다른 혹독한 요인을 견뎌내야 하는 곳에서 사용됩니다. NASA는 이러한 튜브를 이용해 우주 셔틀의 날개를 보강하기도 했으며, 이는 이 튜브들이 얼마나 강하고 신뢰할 수 있는지를 잘 보여줍니다. 그러므로, 유리 에폭시 튜브를 만드는 몇 가지 주요 단계는 다음과 같습니다: 먼저, 작업자들은 유리 섬유를 특정 패턴으로 직조합니다. 이 구조는 의도적으로 만들어져 튜브가 강하면서도 유연할 수 있도록 합니다. 다음 단계는 직조된 유리 섬유 재료를 접착제에 담가 모든 것을 고정시키는 역할을 하도록 하는 것입니다. 젖은 유리 섬유는 그 후 금형에 넣어 형상이 지어집니다. 튜브는 가열되고, 접착제는 경화되어 실질적인 튜브로 변합니다. 마지막으로 튜브는 길이에 따라 자르고 완성되며, 다양한 응용 분야에서 사용될 준비가 됩니다. 그들은 또한 전선 응용 프로그램에cellent 절연체를 만듭니다. 극도로 높은 유전 강도가 있습니다(즉, 재료는 고전압을 견디며 분해되지 않습니다). 이는 안전과 관련하여 매우 중요합니다. 게다가 이러한 튜브는 수분과 화학 물질에도 저항하기 때문에 가장 힘들거나 습한 환경에서도 이상적입니다. 유리 에폭시 튜브의 또 다른 좋은 점은 불연성이라는 것입니다. 이러한 특성은 매우 위험할 수 있는 전기 화재를 방지하는 데 도움을 줍니다. 현대적인 장비와 첨단 기술, 그리고 경험이 풍부한 엔지니어 팀을 통해 우리 제품이 지속적으로 국제 표준 및 다양한 응용 요구 사항을 충족하도록 보장합니다. 전문 제조업체로서 유리섬유, 탄소섬유, 면직물 및 종이 기반 적층재뿐만 아니라 플라스틱 사출 성형 및 맞춤형 복합 소재 제작 서비스를 포함한 다양한 절연 재료를 제공합니다. 해상, 항공, 철도 운송사들과 장기적인 파트너십을 유지하여 유연하고 효율적인 운송 솔루션을 제공하며, 전 세계적으로 정시 배송을 지원합니다. 전 세계 고객들이 원활한 경험과 지속적인 만족을 누릴 수 있도록 신속한 의사소통, 전문적인 기술 지원, 신속하게 대응하는 애프터서비스를 우선시합니다.유리 에폭시 튜브
파이프라인 수리의 비용 효율적인 솔루션

극한 조건을 위한 유리 에폭시 튜브

유리 에폭시 튜브 제조 과정에 대한 자세한 살펴보기

전기 절연에 유리 에폭시 튜브를 사용하는 이점 이해하기
Why choose RDS 유리 에폭시 튜브?
현대화된 생산 시설 및 기술 전문성
포괄적인 절연 재료 포트폴리오
신뢰할 수 있는 글로벌 물류 및 공급망
고객 중심의 서비스 및 애프터서비스 지원
원하는 내용을 찾지 못하셨나요?
지금 견적 요청하기
더 많은 이용 가능한 제품은 전문가와 상담해 주세요.문의하기