СанХок Продукт

Refrigerator & Freezer Assembly Line

The Refrigerator Assembly Line is a fully automated system designed for efficient production. Given the significant weight of freezers, the assembly line utilizes a chain plate conveyor for transportation and incorporates a circular test rack for quality assurance. Key advantages of the Refrigerator Assembly Line include:

  1. Highly automated operations, minimizing manual intervention.
  2. Reduced production costs and enhanced enterprise productivity.
  3. Ensured stability and consistency throughout the production process.
Свяжитесь с нами, чтобы узнать цену

Поговорите со специалистом по конвейерам

Технические характеристики

SanHok Refrigerator & Freezer Assembly Line

Slat Chain Motor – Slat chain with gear, speed ratio 1:289; wattage is 3HP, 2.2kw

Running Speed – 0.7~2M/min, with delta speed controller

Supporting Frame – 10# steel

ПЛК – PLC is Mitsubishi control

Frequency Speed Controller – DELIXI

PLC Total Switch – CHINT brand, equipped with XINGCHENG magnetic valve, magnetic switch is XINGCHENG, lighting control is YANGMING brand, stroke switch brand is ORMON

Функции

Максимальная эффективность и долговечность

Эти катки, спроектированные с высокой точностью и изготовленные из высококачественных материалов, обеспечивают плавную и надежную работу даже при самых тяжелых нагрузках. Благодаря широкому выбору размеров и обработке поверхности наши ролики идеально подходят для различных отраслей промышленности, включая производство, логистику и погрузочно-разгрузочные работы.

Успешные кейсы

SanHok Refrigerator & Freezer Assembly Line Successful Cases

Product Display

Product Diaplay

Freezer Slat Chain Assembly Line

Freezer Slat Chain Assembly Line
Электрическая коробка

Freezer Refrigerator Vacuum Line

Услуги

Шаги настройки

Конвейерный ролик является нестандартным изделием, изготовленным по индивидуальному заказу. Этапы настройки следующие:

1. What dimensions of refrigerator & Freezer

2. What gas type to be used?

3. What production capacity

4. Need the workshop layout

Свяжитесь с нами, чтобы узнать цену

Поговорите со специалистом по конвейерам

Аксессуары Стиль 1

Улучшите свою сборочную линию с помощью наших аксессуаров премиум-класса

<script>
document.addEventListener('DOMContentLoaded', () => {

    const FBautoplayTime = 5; // Set autoplay time in secounds

    // Seleccionar todos los conjuntos de tabs
    const tabsSets = document.querySelectorAll('[fb-tabs]');
  


    tabsSets.forEach(tabsSet => {
        const tabs = tabsSet.querySelectorAll('[fb-tabs-btn]');
        const panels = tabsSet.querySelectorAll('[fb-tabs-panel]');
        const tabsMenu = tabsSet.querySelector('[fb-tabs-menu]');
        const tabsTitle = tabsSet.querySelector('[fb-tabs-title]');
        const isVertical = tabsSet.hasAttribute('fb-vertical');
            
      // Añadir la variable CSS --fb-progress-time al estilo de [fb-tabs]
        tabsSet.style.setProperty('--fb-progress-time', `${FBautoplayTime}s`);

        // Asignar aria-label del menú de tabs con el texto del título
        if (tabsMenu && tabsTitle) {
            tabsMenu.setAttribute('aria-label', tabsTitle.textContent.trim());
        }

        // Asignar aria-controls a los tabs y aria-label a los paneles
        if (tabs.length === panels.length) {
            tabs.forEach((tab, index) => {
                const panelId = panels[index].id;
                const tabText = tab.textContent.trim();
                if (panelId && tabText) {
                    tab.setAttribute('aria-controls', panelId);
                    panels[index].setAttribute('aria-label', tabText);
                }
                tab.setAttribute('aria-selected', tab.classList.contains('brx-open'));
                tab.setAttribute('tabindex', tab.classList.contains('brx-open') ? '0' : '-1');
            });
        }

        // Configurar el MutationObserver
        const observer = new MutationObserver((mutations) => {
            mutations.forEach((mutation) => {
                if (mutation.type === 'attributes' && mutation.attributeName === 'class') {
                    const targetTab = mutation.target;
                    targetTab.setAttribute('aria-selected', targetTab.classList.contains('brx-open'));
                    targetTab.setAttribute('tabindex', targetTab.classList.contains('brx-open') ? '0' : '-1');
                }
            });
        });

        // Observar cada tab para cambios en la clase
        tabs.forEach((tab) => {
            observer.observe(tab, { attributes: true });
        });

        let currentTabIndex = 0;
        let autoplayInterval = null;
        let hoverTimeout = null;
        let isHovered = false;
        let manualSelection = false;

        const startAutoplay = () => {
            autoplayInterval = setInterval(() => {
                if (!manualSelection && !isHovered) {
                    const nextIndex = (currentTabIndex + 1) % tabs.length;
                    activateTab(nextIndex);
                }
            }, FBautoplayTime*1000); // Usar la constante para el tiempo del autoplay
        };

        const resetAutoplay = (index) => {
            clearInterval(autoplayInterval);
            activateTab(index);
            manualSelection = true;

            tabs.forEach((tab, idx) => {
                tab.setAttribute('aria-selected', idx === currentTabIndex);
                tab.setAttribute('tabindex', idx === currentTabIndex ? '0' : '-1');
                panels[idx].classList.toggle('brx-open', idx === currentTabIndex);
            });

            setTimeout(() => {
                manualSelection = false;
            }, 100);
        };

        const activateTab = (index) => {
            tabs[currentTabIndex].classList.remove('brx-open');
            panels[currentTabIndex].classList.remove('brx-open');

            currentTabIndex = index;

            tabs[currentTabIndex].classList.add('brx-open');
            panels[currentTabIndex].classList.add('brx-open');

            tabs.forEach((tab, idx) => {
                tab.setAttribute('aria-selected', idx === currentTabIndex);
                tab.setAttribute('tabindex', idx === currentTabIndex ? '0' : '-1');
            });
        };

        startAutoplay();

        const handleHoverStart = () => {
            isHovered = true;
            tabsSet.classList.add('fb-tab-progress');
            clearInterval(autoplayInterval);
        };

        const handleHoverEnd = () => {
            isHovered = false;
            tabsSet.classList.remove('fb-tab-progress');
            if (!manualSelection) {
                startAutoplay();
            }
        };

        // Añadir manejadores de clic y hover para tabs
        tabs.forEach((tab, index) => {
            tab.addEventListener('click', () => {
                resetAutoplay(index);
            });

            tab.addEventListener('focus', () => {
                handleHoverStart();
            });

            tab.addEventListener('mouseenter', () => {
                handleHoverStart();
            });

            tab.addEventListener('mouseleave', () => {
                handleHoverEnd();
            });

            tab.addEventListener('keydown', (event) => {
                if (event.key === 'Enter' || event.key === ' ') {
                    event.preventDefault();
                    resetAutoplay(index);
                }
            });
        });

        // Añadir manejadores de hover para paneles
        panels.forEach((panel) => {
            panel.addEventListener('mouseenter', () => {
                handleHoverStart();
            });

            panel.addEventListener('mouseleave', () => {
                handleHoverEnd();
            });
        });

        // Manejo de eventos de teclado para navegación entre tabs
        tabsSet.addEventListener('keydown', (event) => {
            const currentTab = tabs[currentTabIndex];

            if (event.key === 'ArrowRight' || (isVertical && event.key === 'ArrowDown')) {
                event.preventDefault();
                const nextIndex = (currentTabIndex + 1) % tabs.length;
                resetAutoplay(nextIndex);
                tabs[nextIndex].focus();
            } else if (event.key === 'ArrowLeft' || (isVertical && event.key === 'ArrowUp')) {
                event.preventDefault();
                const nextIndex = currentTabIndex === 0 ? tabs.length - 1 : currentTabIndex - 1;
                resetAutoplay(nextIndex);
                tabs[nextIndex].focus();
            } else if (event.key === 'Home') {
                event.preventDefault();
                resetAutoplay(0);
                tabs[0].focus();
            } else if (event.key === 'End') {
                event.preventDefault();
                resetAutoplay(tabs.length - 1);
                tabs[tabs.length - 1].focus();
            }
        });
    });
  

});
</script>

Линия сборки кондиционеров

Вот ваш текст... Выберите любую часть текста, чтобы получить доступ к панели инструментов форматирования.

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Линия сборки телевизоров
Refrigerator & Freezer Assembly Line
Производство стиральных машин
Линия сборки мобильных телефонов
Производство стиральных машин
Линия сборки светодиодных ламп
Линия сборки микроволновых печей
Линия сборки диспенсеров для воды
Проверить больше

Линия по производству аккумуляторных батарей

Вот ваш текст... Выберите любую часть текста, чтобы получить доступ к панели инструментов форматирования.

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Аксессуары

Улучшите свою сборочную линию с помощью наших аксессуаров премиум-класса

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт F

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Продукт А

Продукт Б

Продукт С

Продукт Д

Продукт Е

Продукт F

Поддерживать

Комплексные услуги и поддержка

Помимо пожизненной технической поддержки, мы также предлагаем вам следующие услуги:

Отгрузка машины

Мы возьмем самую прочную и надежную упаковку с деревянными ящиками и всеми видами мягких материалов, чтобы обеспечить безопасную доставку машины.

Установка

Мы отправим одного инженера к вам на объект для помощи в настройке машины и тестировании.

Обучение

Наш инженер научит ваш персонал пользоваться машиной и выполнять техническое обслуживание.

Гарантия

Мы предлагаем гарантию качества на 12 месяцев или 2500 рабочих часов.
Руководство по часто задаваемым вопросам

SanHok Refrigerator & Freezer Assembly Line

A: It is used for refrigerator and freezer assembly production lines.

A: It can produce various types of refrigerators and freezers, including household, commercial, and industrial models.

A: The delivery typically takes about 7 to 15 days, depending on the complexity of the assembly line and customization requirements.

A: The production capacity depends on the design of the assembly line and can be customized to meet specific output targets, such as daily or hourly production rates.

A: The assembly line features high automation, efficient material handling, precision testing systems, and modular design for flexibility in production.

Отправьте нам запрос сейчас!

Пожалуйста, заполните форму ниже, указав основную информацию, чтобы помочь нам быстро понять вашу текущую ситуацию.
*Ваши данные будут храниться у нас строго конфиденциально.