Search code examples
fetchpreload

Can link rel=preload be made to work with fetch?


I have a large JSON blob I would like to have preloaded with my webpage. To do this, I have added <link rel="preload" as="fetch" href="/blob.json"> to my page. I also have a JS request to fetch the same blob.

This does not work, and the console reports:

[Warning] The resource blob.json was preloaded using link preload but not used within a few seconds from the window's load event. Please make sure it wasn't preloaded for nothing.

MDN claims that this can be fixed by adding crossorigin to the link tag. AFAICT, this is not true, and no combination or crossorigin attributes will actually make it work.

Using the copy-as-curl command from the developer console, it seems like there is no combination of link tag plus attributes that will issue the same request as a fetch/XHR call in JS.

I would love to be wrong about this.


Solution

  • Here is the working solution to preload fetch that works both in Chrome and Safari and supports cookies.

    Unfortunately, it works only for the same domain requests.

    First, do not specify crossorigin attribute for preload tag, this will ensure Safari will send request in no-cors mode and include cookies

    <link rel="preload" as="fetch" href="/data.json">
    

    Second, the fetch api request should also be done in no-cors mode and include credentials (cookies). Pay attention that this request cannot have any custom headers (like Accept, Content-Type, etc), otherwise the browser won't be able to match this request with preloaded one.

    fetch('/data.json', {
        method: 'GET',
        credentials: 'include',
        mode: 'no-cors',
    })
    

    I have tried other combinations of crossorigin attribute value and fetch API configuration, but none of them worked for me in Safari (only in Chrome).

    Here is what I have tried:

    <link rel="preload" as="fetch" href="/data.json" crossorigin="anonymous">
    
    <script>
    fetch('/data.json', {
        method: 'GET',
        credentials: 'same-origin',
        mode: 'cors',
    })
    </script>
    

    The above works in Chrome, but not in Safari, because cookies are not sent by preload request in Safari.

    <link rel="preload" as="fetch" href="/data.json" crossorigin="use-credentials">
    
    <script>
    fetch('/data.json', {
        method: 'GET',
        credentials: 'include',
        mode: 'cors',
    })
    </script>
    

    The above works in Chrome but not in Safari. Though cookies are sent by preload request, Safari is not able to match fetch with preload request probably because of the different cors mode.