This simple PWA can run across all platforms, leveraging the web’s ubiquity.

  1. Improved Performance

Performance is a critical factor for any web-based application. Progressive Web Apps improve load times by caching assets and content using service workers, allowing users to quickly access previously visited pages, even with poor internet connections.

Example: Service Worker for Caching

A service worker is a script that the browser runs in the background, enabling features like caching, push notifications, and background sync. Here’s an example of a service worker that caches static assets:

const CACHE_NAME = \\'v1_cache\\';const urlsToCache = [    \\'/\\',    \\'/styles.css\\',    \\'/script.js\\',    \\'/offline.html\\'];// Install the service workerself.addEventListener(\\'install\\', event => {    event.waitUntil(        caches.open(CACHE_NAME)            .then(cache => {                return cache.addAll(urlsToCache);            })    );});// Fetch and serve cached assetsself.addEventListener(\\'fetch\\', event => {    event.respondWith(        caches.match(event.request)            .then(response => {                return response || fetch(event.request);            })            .catch(() => caches.match(\\'/offline.html\\'))    );});

With this setup, the PWA will load instantly for returning users and display a custom offline page when there is no internet connectivity.

  1. Offline Functionality

PWAs offer offline functionality, ensuring users can continue interacting with the app when they have no internet access. By caching essential resources using service workers, the app can serve previously loaded content and even queue actions for later synchronization.

Example: Offline Handling with Service Worker

Let’s extend our service worker to handle offline scenarios effectively:

self.addEventListener(\\'fetch\\', event => {    event.respondWith(        fetch(event.request)            .catch(() => {                return caches.match(event.request).then(response => {                    return response || caches.match(\\'/offline.html\\');                });            })    );});

This code ensures that if a user loses connectivity, they can still access the cached version of the app or an offline page.

  1. Better User Engagement with Push Notifications

PWAs allow developers to engage users through push notifications, even when the app is not actively running in the foreground. Push notifications help keep users informed about updates, reminders, and other interactions that can boost engagement.

Example: Push Notifications

First, we need to ask for permission from the user to send notifications:

Notification.requestPermission().then(permission => {    if (permission === \\'granted\\') {        navigator.serviceWorker.getRegistration().then(registration => {            registration.showNotification(\\'Hello, PWA User!\\', {                body: \\'Thanks for using our Progressive Web App.\\',                icon: \\'/images/icon.png\\'            });        });    }});

This code will display a notification to the user if they grant permission. Push notifications make your PWA more engaging by reminding users to revisit the app.

  1. Reduced Development Costs

Developing separate native apps for iOS, Android, and web platforms is expensive. PWAs solve this by using a single codebase across all platforms. By building one Progressive Web App, you can drastically reduce the development time and costs associated with maintaining multiple apps.

Example: Unified Codebase

// This single piece of code works on both mobile and desktop environmentsfunction detectDevice() {    if (window.innerWidth < 768) {        return \\'Mobile\\';    } else {        return \\'Desktop\\';    }}console.log(`You are using a ${detectDevice()} device`);

With such cross-platform compatibility, businesses can save on development and maintenance costs while ensuring a consistent user experience.

  1. Increased Security

Since PWAs are served via HTTPS, they inherently ensure that all communications between the user and the server are encrypted, preventing man-in-the-middle attacks. Additionally, the use of service workers ensures that only the content that is cached is displayed to users, preventing malicious injections.

Example: Enforcing HTTPS

Make sure your web server enforces HTTPS:

# Redirect all HTTP traffic to HTTPSRewriteEngine OnRewriteCond %{HTTPS} offRewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]

This simple configuration makes sure that any non-secure HTTP requests are redirected to HTTPS, increasing security for your Progressive Web App.

  1. Discoverability Through Search Engines

Unlike native apps, which are primarily distributed through app stores, PWAs are discoverable through search engines like regular websites. This makes them easily accessible to users and allows businesses to take advantage of SEO techniques to increase visibility.

Example: SEO Optimization in PWA

Use meta tags and structured data to optimize your PWA for search engines:

By optimizing your PWA for SEO, you improve its chances of being found by users searching for relevant topics.

  1. Native App-Like Experience

PWAs provide a native app-like experience by offering features such as offline access, home screen installation, push notifications, and a responsive design. This provides users with the benefits of a native app without requiring a download from an app store.

Example: Adding PWA to Home Screen

Here’s how you can allow users to add your PWA to their home screen on mobile devices:

let deferredPrompt;window.addEventListener(\\'beforeinstallprompt\\', event => {    // Prevent the mini-infobar from appearing on mobile    event.preventDefault();    deferredPrompt = event;    // Display your custom install button    document.getElementById(\\'install-button\\').style.display = \\'block\\';    document.getElementById(\\'install-button\\').addEventListener(\\'click\\', () => {        deferredPrompt.prompt();        deferredPrompt.userChoice.then(choiceResult => {            if (choiceResult.outcome === \\'accepted\\') {                console.log(\\'User accepted the PWA installation\\');            } else {                console.log(\\'User dismissed the PWA installation\\');            }            deferredPrompt = null;        });    });});

With this code, users can add the app to their home screen, giving it the appearance and feel of a native app.

  1. Automatic Updates

Progressive Web Apps update automatically in the background, ensuring that users always have the latest version. There’s no need for users to manually download updates, as PWAs automatically fetch the latest files when they become available.

Example: Force Update in PWA

You can force an update for users when a new version of your service worker is available:

self.addEventListener(\\'install\\', event => {    event.waitUntil(        caches.open(CACHE_NAME).then(cache => {            return cache.addAll(urlsToCache);        }).then(() => {            self.skipWaiting();        })    );});self.addEventListener(\\'activate\\', event => {    event.waitUntil(        caches.keys().then(cacheNames => {            return Promise.all(                cacheNames.map(cache => {                    if (cache !== CACHE_NAME) {                        return caches.delete(cache);                    }                })            );        })    );});

This ensures that users get the latest version of your PWA without needing to take any manual action.

  1. Reduced Data Consumption

Compared to traditional websites or native apps, PWAs consume far less data, which is especially important for users in areas with limited or expensive data plans. By caching content locally, PWAs minimize data usage and reduce the load on servers.

Example: Minimal Data Consumption

with Lazy Loading

Implementing lazy loading allows your PWA to load images and content only when they are needed, reducing data usage:

\\\"發現漸進式document.addEventListener(\\'DOMContentLoaded\\', function() {    let lazyImages = [].slice.call(document.querySelectorAll(\\'img.lazy\\'));    if (\\'IntersectionObserver\\' in window) {        let lazyImageObserver = new IntersectionObserver(function(entries, observer) {            entries.forEach(function(entry) {                if (entry.isIntersecting) {                    let lazyImage = entry.target;                    lazyImage.src = lazyImage.dataset.src;                    lazyImage.classList.remove(\\'lazy\\');                    lazyImageObserver.unobserve(lazyImage);                }            });        });        lazyImages.forEach(function(lazyImage) {            lazyImageObserver.observe(lazyImage);        });    }});

This reduces bandwidth by loading content only when it is needed, improving both performance and user experience.

Conclusion

Progressive Web Apps (PWAs) are the future of web development, offering cross-platform compatibility, offline functionality, enhanced performance, and better user engagement. Whether you’re looking to reduce development costs, improve security, or offer users a native app-like experience, PWAs are an excellent choice for your next project.

With features like automatic updates, push notifications, and offline capabilities, PWAs provide a seamless and efficient user experience across all devices. As businesses continue to explore ways to improve their digital presence, the adoption of Progressive Web Apps is bound to rise.

References:

Google Developers - Introduction to Progressive Web Apps

Mozilla Developer Network - Service Workers

W3C - Web App Manifest

","image":"http://www.luping.net/uploads/20241117/17318257286739904076217.jpg","datePublished":"2024-11-17T15:40:34+08:00","dateModified":"2024-11-17T15:40:34+08:00","author":{"@type":"Person","name":"luping.net","url":"https://www.luping.net/articlelist/0_1.html"}}
」工欲善其事,必先利其器。「—孔子《論語.錄靈公》
首頁 > 程式設計 > 發現漸進式 Web 應用程式為您的下一個專案帶來的最大優勢

發現漸進式 Web 應用程式為您的下一個專案帶來的最大優勢

發佈於2024-11-17
瀏覽:175

Discover the Top Advantages of Progressive Web Apps for Your Next Project

Progressive online Apps, or PWAs, are quickly changing the online development landscape. PWAs are becoming the ideal way to connect mobile applications and traditional websites as companies look for ways to increase efficiency, save expenses, and provide consistent user experiences across all platforms. In-depth code examples are provided to illustrate the characteristics and advantages of Progressive Web Apps, which are explored in this article along with the top 10 reasons to use them for your next project.

  1. Cross-Platform Compatibility

Progressive Web Apps' cross-platform interoperability is one of the strongest arguments in favor of using them. Desktop, smartphone, or tablet computers that have an up-to-date web browser can all use PWAs. Without the need for different codebases for the desktop, iOS, and Android environments, this flexibility guarantees that your product reaches a wider audience.

With PWAs, you write the app once using standard web technologies such as HTML, CSS, and JavaScript, and it works seamlessly across devices.

Example: Basic PWA Setup

Here’s how you can create a basic Progressive Web App structure using HTML, JavaScript, and a service worker:



    My First PWA

Hello, PWA World!

This simple PWA can run across all platforms, leveraging the web’s ubiquity.

  1. Improved Performance

Performance is a critical factor for any web-based application. Progressive Web Apps improve load times by caching assets and content using service workers, allowing users to quickly access previously visited pages, even with poor internet connections.

Example: Service Worker for Caching

A service worker is a script that the browser runs in the background, enabling features like caching, push notifications, and background sync. Here’s an example of a service worker that caches static assets:

const CACHE_NAME = 'v1_cache';
const urlsToCache = [
    '/',
    '/styles.css',
    '/script.js',
    '/offline.html'
];

// Install the service worker
self.addEventListener('install', event => {
    event.waitUntil(
        caches.open(CACHE_NAME)
            .then(cache => {
                return cache.addAll(urlsToCache);
            })
    );
});

// Fetch and serve cached assets
self.addEventListener('fetch', event => {
    event.respondWith(
        caches.match(event.request)
            .then(response => {
                return response || fetch(event.request);
            })
            .catch(() => caches.match('/offline.html'))
    );
});

With this setup, the PWA will load instantly for returning users and display a custom offline page when there is no internet connectivity.

  1. Offline Functionality

PWAs offer offline functionality, ensuring users can continue interacting with the app when they have no internet access. By caching essential resources using service workers, the app can serve previously loaded content and even queue actions for later synchronization.

Example: Offline Handling with Service Worker

Let’s extend our service worker to handle offline scenarios effectively:

self.addEventListener('fetch', event => {
    event.respondWith(
        fetch(event.request)
            .catch(() => {
                return caches.match(event.request).then(response => {
                    return response || caches.match('/offline.html');
                });
            })
    );
});

This code ensures that if a user loses connectivity, they can still access the cached version of the app or an offline page.

  1. Better User Engagement with Push Notifications

PWAs allow developers to engage users through push notifications, even when the app is not actively running in the foreground. Push notifications help keep users informed about updates, reminders, and other interactions that can boost engagement.

Example: Push Notifications

First, we need to ask for permission from the user to send notifications:

Notification.requestPermission().then(permission => {
    if (permission === 'granted') {
        navigator.serviceWorker.getRegistration().then(registration => {
            registration.showNotification('Hello, PWA User!', {
                body: 'Thanks for using our Progressive Web App.',
                icon: '/images/icon.png'
            });
        });
    }
});

This code will display a notification to the user if they grant permission. Push notifications make your PWA more engaging by reminding users to revisit the app.

  1. Reduced Development Costs

Developing separate native apps for iOS, Android, and web platforms is expensive. PWAs solve this by using a single codebase across all platforms. By building one Progressive Web App, you can drastically reduce the development time and costs associated with maintaining multiple apps.

Example: Unified Codebase

// This single piece of code works on both mobile and desktop environments
function detectDevice() {
    if (window.innerWidth 



With such cross-platform compatibility, businesses can save on development and maintenance costs while ensuring a consistent user experience.

  1. Increased Security

Since PWAs are served via HTTPS, they inherently ensure that all communications between the user and the server are encrypted, preventing man-in-the-middle attacks. Additionally, the use of service workers ensures that only the content that is cached is displayed to users, preventing malicious injections.

Example: Enforcing HTTPS

Make sure your web server enforces HTTPS:

# Redirect all HTTP traffic to HTTPS
RewriteEngine On
RewriteCond %{HTTPS} off
RewriteRule ^(.*)$ https://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]

This simple configuration makes sure that any non-secure HTTP requests are redirected to HTTPS, increasing security for your Progressive Web App.

  1. Discoverability Through Search Engines

Unlike native apps, which are primarily distributed through app stores, PWAs are discoverable through search engines like regular websites. This makes them easily accessible to users and allows businesses to take advantage of SEO techniques to increase visibility.

Example: SEO Optimization in PWA

Use meta tags and structured data to optimize your PWA for search engines:

By optimizing your PWA for SEO, you improve its chances of being found by users searching for relevant topics.

  1. Native App-Like Experience

PWAs provide a native app-like experience by offering features such as offline access, home screen installation, push notifications, and a responsive design. This provides users with the benefits of a native app without requiring a download from an app store.

Example: Adding PWA to Home Screen

Here’s how you can allow users to add your PWA to their home screen on mobile devices:

let deferredPrompt;
window.addEventListener('beforeinstallprompt', event => {
    // Prevent the mini-infobar from appearing on mobile
    event.preventDefault();
    deferredPrompt = event;
    // Display your custom install button
    document.getElementById('install-button').style.display = 'block';

    document.getElementById('install-button').addEventListener('click', () => {
        deferredPrompt.prompt();
        deferredPrompt.userChoice.then(choiceResult => {
            if (choiceResult.outcome === 'accepted') {
                console.log('User accepted the PWA installation');
            } else {
                console.log('User dismissed the PWA installation');
            }
            deferredPrompt = null;
        });
    });
});

With this code, users can add the app to their home screen, giving it the appearance and feel of a native app.

  1. Automatic Updates

Progressive Web Apps update automatically in the background, ensuring that users always have the latest version. There’s no need for users to manually download updates, as PWAs automatically fetch the latest files when they become available.

Example: Force Update in PWA

You can force an update for users when a new version of your service worker is available:

self.addEventListener('install', event => {
    event.waitUntil(
        caches.open(CACHE_NAME).then(cache => {
            return cache.addAll(urlsToCache);
        }).then(() => {
            self.skipWaiting();
        })
    );
});

self.addEventListener('activate', event => {
    event.waitUntil(
        caches.keys().then(cacheNames => {
            return Promise.all(
                cacheNames.map(cache => {
                    if (cache !== CACHE_NAME) {
                        return caches.delete(cache);
                    }
                })
            );
        })
    );
});

This ensures that users get the latest version of your PWA without needing to take any manual action.

  1. Reduced Data Consumption

Compared to traditional websites or native apps, PWAs consume far less data, which is especially important for users in areas with limited or expensive data plans. By caching content locally, PWAs minimize data usage and reduce the load on servers.

Example: Minimal Data Consumption

with Lazy Loading

Implementing lazy loading allows your PWA to load images and content only when they are needed, reducing data usage:

發現漸進式 Web 應用程式為您的下一個專案帶來的最大優勢

document.addEventListener('DOMContentLoaded', function() {
    let lazyImages = [].slice.call(document.querySelectorAll('img.lazy'));

    if ('IntersectionObserver' in window) {
        let lazyImageObserver = new IntersectionObserver(function(entries, observer) {
            entries.forEach(function(entry) {
                if (entry.isIntersecting) {
                    let lazyImage = entry.target;
                    lazyImage.src = lazyImage.dataset.src;
                    lazyImage.classList.remove('lazy');
                    lazyImageObserver.unobserve(lazyImage);
                }
            });
        });

        lazyImages.forEach(function(lazyImage) {
            lazyImageObserver.observe(lazyImage);
        });
    }
});

This reduces bandwidth by loading content only when it is needed, improving both performance and user experience.

Conclusion

Progressive Web Apps (PWAs) are the future of web development, offering cross-platform compatibility, offline functionality, enhanced performance, and better user engagement. Whether you’re looking to reduce development costs, improve security, or offer users a native app-like experience, PWAs are an excellent choice for your next project.

With features like automatic updates, push notifications, and offline capabilities, PWAs provide a seamless and efficient user experience across all devices. As businesses continue to explore ways to improve their digital presence, the adoption of Progressive Web Apps is bound to rise.

References:

Google Developers - Introduction to Progressive Web Apps

Mozilla Developer Network - Service Workers

W3C - Web App Manifest

版本聲明 本文轉載於:https://dev.to/nilebits/discover-the-top-10-advantages-of-progressive-web-apps-for-your-next-project-pmc?1如有侵犯,請聯絡study_golang @163.com刪除
最新教學 更多>
  • 如何使用 jQuery 製作背景顏色動畫?
    如何使用 jQuery 製作背景顏色動畫?
    使用 jQuery 淡化背景顏色引人注目的網站元素通常需要微妙的動畫,例如淡入和淡出。雖然 jQuery 廣泛用於動畫文字內容,但它也可用於動態增強背景顏色。 在 jQuery 中淡入/淡出背景顏色進行操作要使用 jQuery 設定元素的背景顏色,您首先需要合併 jQueryUI 函式庫。整合後,可...
    程式設計 發佈於2024-11-17
  • 開源軟體專案的免費人工智慧程式碼審查
    開源軟體專案的免費人工智慧程式碼審查
    如果您參與開源軟體,您就會知道程式碼審查的重要性。它們不僅僅是捕捉錯誤,還確保程式碼品質、安全性和可維護性,幫助每個貢獻者無縫協作。但讓我們面對現實吧,程式碼審查非常耗時。手動審查每個拉取請求 (PR) 可能會減慢開發速度,尤其是在資源有限的開源專案中。 Bito 的人工智慧程式碼審查代理——一種...
    程式設計 發佈於2024-11-17
  • 是否可以在 PHP 重定向中設定自訂標頭?
    是否可以在 PHP 重定向中設定自訂標頭?
    PHP 重定向中的自訂標頭:不可能的請求使用PHP 重定向到頁面時,您可能會在嘗試通過時遇到挑戰以及帶有重定向的自訂HTTP 標頭。重定向的標準方法涉及使用 header("Location: http://...") 語法。然而,這種方法只為觸發重定向的回應設定標頭,而不是為重...
    程式設計 發佈於2024-11-17
  • 如何用CSS消除影像間距?
    如何用CSS消除影像間距?
    透過 CSS 消除圖像間距在 HTML 中,當連續放置多個圖像時,它們之間會出現一個空格。在某些設計場景中,這可能會造成視覺破壞。雖然有許多解決方法,例如手動換行或 HTML 註釋,但有一個使用 CSS 的優雅解決方案。 要有效刪除圖片之間的空白,請利用以下 CSS 屬性:img { displ...
    程式設計 發佈於2024-11-17
  • 如何在 PHP 中組合兩個關聯數組,同時保留唯一 ID 並處理重複名稱?
    如何在 PHP 中組合兩個關聯數組,同時保留唯一 ID 並處理重複名稱?
    在 PHP 中組合關聯數組在 PHP 中,將兩個關聯數組組合成一個數組是常見任務。考慮以下請求:問題描述:提供的代碼定義了兩個關聯數組,$array1 和 $array2。目標是建立一個新陣列 $array3,它合併兩個陣列中的所有鍵值對。 此外,提供的陣列具有唯一的 ID,而名稱可能重疊。要求是建...
    程式設計 發佈於2024-11-17
  • 大批
    大批
    方法是可以在物件上呼叫的 fns 數組是對象,因此它們在 JS 中也有方法。 slice(begin):將陣列的一部分提取到新數組中,而不改變原始數組。 let arr = ['a','b','c','d','e']; // Usecase: Extract till index ...
    程式設計 發佈於2024-11-17
  • 如何在 Keras 中實現自己的損失函數?
    如何在 Keras 中實現自己的損失函數?
    Keras 中的自訂損失函數實作在 Keras 中,可以實現自訂損失函數來滿足特定的訓練要求。其中一個函數是骰子誤差係數,它測量真實標籤和預測標籤之間的重疊。 要在 Keras 中建立自訂損失函數,請依照下列步驟操作:1。實作係數函數骰子誤差係數可以寫成:dice coefficient = (2 ...
    程式設計 發佈於2024-11-17
  • Bootstrap 4 Beta 中的列偏移發生了什麼事?
    Bootstrap 4 Beta 中的列偏移發生了什麼事?
    Bootstrap 4 Beta:列偏移的刪除和恢復Bootstrap 4 在其Beta 1 版本中引入了重大更改柱子偏移了。然而,隨著 Beta 2 的後續發布,這些變化已經逆轉。 從 offset-md-* 到 ml-auto在 Bootstrap 4 Beta 1 中, offset-md-*...
    程式設計 發佈於2024-11-17
  • Go如何在沒有傳統機制的情況下實現多型?
    Go如何在沒有傳統機制的情況下實現多型?
    探討Go語言中的多態性在物件導向程式設計中,多態性允許物件根據其類別表現出不同的行為。但在Go中,多態性的概念並不是傳統意義上的實現。讓我們深入探討一下這背後的原因,探討如何在 Go 中實現類似的功能。 為什麼 Go 缺乏傳統的多態性Go 不是傳統的物件導向語言。它採用了不同的方法,使用:組合:由其...
    程式設計 發佈於2024-11-17
  • 如何在Java中正確透過套接字傳輸檔案?
    如何在Java中正確透過套接字傳輸檔案?
    Java 透過套接字傳輸檔案:傳送和接收位元組數組Java 透過套接字傳輸檔案:傳送和接收位元組數組在Java 中,透過套接字傳輸檔案涉及將檔案轉換為位元組數組,透過套接字發送它們,然後在接收端將位元組轉換回檔案。本文解決了 Java 開發人員在實作此文件傳輸功能時遇到的問題。 伺服器端問題byte...
    程式設計 發佈於2024-11-17
  • 如何在 JavaScript 中格式化數字以顯示最少的小數位數?
    如何在 JavaScript 中格式化數字以顯示最少的小數位數?
    在JavaScript 中格式化數字關於在JavaScript 中格式化數字的查詢,您可以利用內建函數toLocaleString() 和minimumFractionDigits選項。 toLocaleString() 方法可讓您根據使用者的區域設定或指定的區域設定格式化數字。透過將minimum...
    程式設計 發佈於2024-11-17
  • 如何在 Go 中將數字轉換為字母?
    如何在 Go 中將數字轉換為字母?
    在Go 中將數字轉換為字母了解了將數字轉換為字母的需要,讓我們探索在Go 中實現這一目標的各種方法.數字到符文的轉換一種簡單的方法是將數字添加到常量'A' - 1,其中每個數字相加代表字母表中的一個字母。例如,加 1 得到“A”,加 2 得到“B”。 func toChar(i in...
    程式設計 發佈於2024-11-17
  • 如何在 PHP 中提取不含副檔名的檔名?
    如何在 PHP 中提取不含副檔名的檔名?
    在PHP 中提取不帶擴展名的文件名使用神奇常數__FILE__ 可以輕鬆獲取PHP 中當前執行腳本的文件名。但是,如果您需要提取不含副檔名的檔案名,例如“.php”後綴,則過程略有不同。 basename() 解決方案:若要使用basename()函數刪除副檔名,您可以:basename(__FIL...
    程式設計 發佈於2024-11-17
  • 如何在 PHP 和 MySQL 中同步時區?
    如何在 PHP 和 MySQL 中同步時區?
    在PHP 和MySQL 中同步時區您正在開發一個需要使用PHP date() 函數在MySQL 中儲存日期的應用程式。有必要使用 NOW() 在 MySQL 中比較這些日期來計算時間差異。但是,PHP date() 函數使用 PHP 中定義的時區,而 NOW() 使用 MySQL 伺服器中配置的時區...
    程式設計 發佈於2024-11-17
  • 如何使用準備好的語句在 PHP MySQLi 中準備安全更新查詢?
    如何使用準備好的語句在 PHP MySQLi 中準備安全更新查詢?
    如何為更新查詢準備語句為了增強使用PHP MySQLi 查詢更新資料庫時的資料安全性,建議採用準備好的聲明。雖然 PHP 文件提供了有關 bind_param() 的信息,但它缺少特定於更新查詢的範例。 讓我們深入研究如何為更新查詢制定準備好的語句:準備查詢語句:將更新查詢中的所有變數替換為問題標記...
    程式設計 發佈於2024-11-17

免責聲明: 提供的所有資源部分來自互聯網,如果有侵犯您的版權或其他權益,請說明詳細緣由並提供版權或權益證明然後發到郵箱:[email protected] 我們會在第一時間內為您處理。

Copyright© 2022 湘ICP备2022001581号-3