공유 파일을 받는 방법

팔란스 리아오
Palances Liao

먼저 웹 앱 매니페스트에서 action (공유 파일을 처리하는 URL), method (파일의 경우 "POST"), enctype (파일의 경우 "multipart/form-data"), files 속성이 포함된 params 객체를 선언합니다. 이 객체는 공유 가능한 파일 형식과 이를 가져올 이름이 나열된 nameaccept 속성이 있는 객체의 배열이 있는 files 속성을 포함합니다.share_target

{
 
"share_target": {
   
"action": "/receive-files/",
   
"method": "POST",
   
"enctype": "multipart/form-data",
   
"params": {
     
"files": [
       
{
         
"name": "image",
         
"accept": ["image/jpeg", "image/png", "image/webp", "image/gif"]
       
}
     
]
   
}
 
}
}

그런 다음 서비스 워커에서 수신되는 POST 요청을 처리해야 합니다. 파일은 미디어 캐시에 임시로 저장되므로 클라이언트에서 사용할 수 있습니다. 이렇게 하려면 share-target와 같은 특수 마커 쿼리 매개변수가 있는 URL로 앱을 리디렉션하면 됩니다.

self.addEventListener('fetch', (fetchEvent) => {
 
if (fetchEvent.request.url.endsWith('/receive-files/') && fetchEvent.request.method === 'POST') {
   
return fetchEvent.respondWith(
     
(async () => {
       
const formData = await fetchEvent.request.formData();
       
const image = formData.get('image');
       
const keys = await caches.keys();
       
const mediaCache = await caches.open(keys.filter((key) => key.startsWith('media'))[0]);
        await mediaCache
.put('shared-image', new Response(image));
       
return Response.redirect('./?share-target', 303);
     
})(),
   
);
 
}
});

마지막으로 클라이언트에서 파일을 사용해야 합니다.

window.addEventListener('load', async () => {
 
if (location.search.includes('share-target')) {
   
const keys = await caches.keys();
   
const mediaCache = await caches.open(
      keys
.filter((key) => key.startsWith('media'))[0],
   
);
   
const image = await mediaCache.match('shared-image');
   
if (image) {
     
const blob = await image.blob();
      await mediaCache
.delete('shared-image');
     
// Handle the shared file somehow.
   
}
 
}
});

브라우저 지원

  • 89
  • 89
  • x
  • x

소스

추가 자료

데모

<!DOCTYPE html>
<html lang="en">
 
<head>
   
<meta charset="utf-8" />
   
<meta name="viewport" content="width=device-width, initial-scale=1" />
   
<link rel="manifest" href="manifest.json" />
   
<title>How to receive shared files</title>
   
<link rel="stylesheet" href="style.css" />
   
<!-- TODO: Devsite - Removed inline handlers -->
   
<!-- <script>
      if ('serviceWorker' in navigator) {
        window.addEventListener('load', async () => {
          const registration = await navigator.serviceWorker.register(
            'sw.js',
          );
          console.log(
            'Service worker registered for scope',
            registration.scope,
          );
        });
      }
    </script>
    <script src="script.js" type="module"></script> -->

 
</head>
 
<body>
   
<h1>How to receive shared files</h1>
   
<p>Install the app. After the installation, try sharing an image to it from another app.
 
</body>
</html>

        html
{
 
box-sizing: border-box;
 
font-family: system-ui, sans-serif;
 
color-scheme: dark light;
}

*, *:before, *:after {
 
box-sizing: inherit;
}

body
{
 
margin: 1rem;
}

img
{
 
height: auto;
 
max-width: 100%;
 
display: block;
}
       

        window
.addEventListener('load', async () => {
 
if (location.search.includes('share-target')) {
   
const keys = await caches.keys();
   
const mediaCache = await caches.open(
      keys
.filter((key) => key.startsWith('media'))[0],
   
);
   
const image = await mediaCache.match('shared-image');
   
if (image) {
     
const blob = await image.blob();
      await mediaCache
.delete('shared-image');
     
// Handle the shared file somehow.
   
}
 
}
});