如何推迟渲染直到 ajax 调用完成

How to hold off rendering until ajax call completes

我正在重构一个从服务器上的 json 文件加载语言标签的 React 应用程序。使用 Ajax 调用从服务器提取数据,该调用更新包含所有语言标签的存储。这是一些说明问题的代码。

app.js

<script>
import { storeLang, getLangLabels } from './store'

// get labels from server
getLangLabels()

// set language labels in a reactive variable
$: LABELS = $storeLang.labels
</script>

<div>
 <h2>{LABELS.title}</h2>
</div>

这是商店的设置方式。 ajax 调用使用标签更新商店。

store.js

import { writeable } from 'svelte/store'

export const storeLang = writeable({})

export const getLangLabels = () => {
  return fetch('lang.json').then( data => {
  storeLang.set(data);
})
}

但是,当我 运行 应用程序时,我还没有访问 LABELS 变量的权限,它也不会在解析提取调用时更新。这是错误消息。

Uncaught ReferenceError: Cannot access 'LABELS' before initialization

我在 React 中解决这个问题的方法是仅在从服务器获取的语言标签之后呈现整个 <App />。我还没有想出使用 Svelte.

来解决这个问题的方法

请指教

解决方案

按照@tehshrike 的建议,我将 getLang 设置为异步函数,并在 App.svelte 组件(应用程序的入口点)上使用 await 块。这样,当 promise 在获取语言标签后 resolve 时,应用程序将呈现(为了说明目的而缩写的代码)。

App.svelte

<script>
import { getLang } from './lang/store.js';

let promise = getLang();
</script>

{#await promise}
  Loading language labels
{:then value}
  // we don't use the returned value because the labels are stored in 
  // the store and the subscribed components react accordingly
  <Header />
  <Sidebar />
  <Main />
{:catch}
  Error resolving promise
{/await}

如果您将 promise 放入商店本身,而不是在将值放入商店之前等待 promise 解决,您可以使用 await block 并引用 $storeLang.labels 而无需在您的组件中设置反应式声明。