likes
comments
collection
share

从零实现 React v18,但 WASM 版 - [23] 实现 Fragment使用 Rust 和 WebAssem

作者站长头像
站长
· 阅读数 22

模仿 big-react,使用 Rust 和 WebAssembly,从零实现 React v18 的核心功能。深入理解 React 源码的同时,还锻炼了 Rust 的技能,简直赢麻了!

代码地址:github.com/ParadeTo/bi…

本文对应 tag:v23

Fragment 也是 react 中一个基本的功能,所以 WASM 版本也得支持才行。不过我们先来修复几个比较严重的 Bug。

Bug 1:下面的例子,只有第一次点击会有效果(更新为 1),之后都保持 1 不变。

function App() {
  const [num, setNum] = useState(0)
  return <div onClick={() => setNum((prev) => prev + 1)}>{num}</div>
}

原因在于 update_queue.rs 更新 new_base_state 有问题,需要按如下所示进行修改:

-   new_base_state = result.memoized_state.clone();
+   new_base_state = new_state.clone();

上面的 Bug 修复后,仍然会有问题,还是跟 useState 相关。

Bug 2: 下面的例子,只有第一次点击会有效果(更新为 1),之后都保持 1 不变。

function App() {
  const [num, setNum] = useState(0)
  return <div onClick={() => setNum(num + 1)}>{num}</div>
}

经过一番定位后,发现 onClick 函数中的 num 永远都为 0,即使第一次点击后 num 已经为 1 了,根本原因在于 divonClick 引用的一直都是第一次渲染时传入的那个函数,其闭包捕获的 num 也是首次渲染时的 0。

翻看代码,发现我们漏了对于 HostComponent 这类 FiberNode 的 props 的更新逻辑,之前都只处理了 HostText 类型,接下来让我们补上这一块。

首先,我们重新定义一下 HostConfig,去掉 commit_text_update,新增 commit_update

-    fn commit_text_update(&self, text_instance: Rc<dyn Any>, content: &JsValue);
+    fn commit_update(&self, fiber: Rc<RefCell<FiberNode>>);

然后在 react-dom 库中重新实现这个 Trait:

fn commit_update(&self, fiber: Rc<RefCell<FiberNode>>) {
  let instance = FiberNode::derive_state_node(fiber.clone());
  let memoized_props = fiber.borrow().memoized_props.clone();
  match fiber.borrow().tag {
      WorkTag::HostText => {
          let text = derive_from_js_value(&memoized_props, "content");
          self.commit_text_update(instance.unwrap(), &text);
      }
      WorkTag::HostComponent => {
          update_fiber_props(
              instance
                  .unwrap()
                  .downcast::<Node>()
                  .unwrap()
                  .dyn_ref::<Element>()
                  .unwrap(),
              &memoized_props,
          );
      }
      _ => {
          log!("Unsupported update type")
      }
  };
}

这里的 update_fiber_props 之前就有了,作用就是把最新的 props 更新到 FiberNode 对应的 Element 上面。

然后,在 complete_work.rs 中新增如下代码:

WorkTag::HostComponent => {
        if current.is_some() && work_in_progress_cloned.borrow().state_node.is_some() {
          // todo: compare props to decide if need to update
+         CompleteWork::mark_update(work_in_progress.clone());

也就是给 FiberNode 打上 Update 的标记,这里也可以进一步进行优化(对比前后的 props 来决定是否打标记),简单起见先不加了。

最后,修改 commit_work.rs 中对于 Update 的处理:

if flags.contains(Flags::Update) {
  unsafe {
      HOST_CONFIG
          .as_ref()
          .unwrap()
          .commit_update(finished_work.clone())
  }
  finished_work.borrow_mut().flags -= Flags::Update;
}

Bug 修复的 PR 见这里。修复完毕,接下来实现 Fragment

首先,Fragment 是从 react 中导出的一个常量,但是在 Rust 中,当我们尝试下面这样写时,会报错 "#[wasm_bindgen] can only be applied to a function, struct, enum, impl, or extern block":

#[wasm_bindgen]
pub static Fragment: &str = "react.fragment";

看来是不支持从 rust 导出字符串给 JS,那我们只能继续通过构建脚本来修改编译后的产物了,即在最终输出的 JS 文件中加上导出 Fragment 的代码。

// add Fragment
const reactIndexFilename = `${cwd}/dist/react/jsx-dev-runtime.js`
const reactIndexData = fs.readFileSync(reactIndexFilename)
fs.writeFileSync(
  reactIndexFilename,
  reactIndexData + `export const Fragment='react.fragment';\n`
)
const reactTsIndexFilename = `${cwd}/dist/react/jsx-dev-runtime.d.ts`
const reactTsIndexData = fs.readFileSync(reactTsIndexFilename)
fs.writeFileSync(
  reactTsIndexFilename,
  reactTsIndexData + `export const Fragment: string;\n`
)

接着,需要在 fiber.rs 中新增一个 create_fiber_from_fragment 的方法:

pub fn create_fiber_from_fragment(elements: JsValue, key: JsValue) -> FiberNode {
  FiberNode::new(WorkTag::Fragment, elements, key, JsValue::null())
}

这里的 elements 是他的 children

然后,按照流程,需要在 begin_work.rs 中新增对于 Fragment 的处理:

pub fn begin_work(
    work_in_progress: Rc<RefCell<FiberNode>>,
    render_lane: Lane,
) -> Result<Option<Rc<RefCell<FiberNode>>>, JsValue> {
  ...
  return match tag {
    ...
    WorkTag::Fragment => Ok(update_fragment(work_in_progress.clone())),
  };
}

fn update_fragment(work_in_progress: Rc<RefCell<FiberNode>>) -> Option<Rc<RefCell<FiberNode>>> {
    let next_children = work_in_progress.borrow().pending_props.clone();
    reconcile_children(work_in_progress.clone(), Some(next_children));
    work_in_progress.borrow().child.clone()
}

reconcile_single_element 函数中,也需要新增对于 Fragment 的处理:

-    let mut fiber = FiberNode::create_fiber_from_element(element);
+    let mut fiber ;
+    if derive_from_js_value(&element, "type") == REACT_FRAGMENT_TYPE {
+        let props = derive_from_js_value(&element, "props");
+        let children = derive_from_js_value(&props, "children");
+        fiber = FiberNode::create_fiber_from_fragment(children, key);
+    } else {
+        fiber = FiberNode::create_fiber_from_element(element);
+    }

这样,我们的 react 就可以支持 Fragment 了。

不过,还有一种情况也需要支持,比如:

function App() {
  const arr = [<span>Hello</span>, <span>World</span>]
  return <div>{arr}</div>
}

上面的例子并没有显示的使用 Fragment,但我们处理的时候得加一层,即:

从零实现 React v18,但 WASM 版 - [23] 实现 Fragment使用 Rust 和 WebAssem

这一部分主要涉及到 child_fiber.rsupdate_from_map 函数的修改,详情请见这里

跪求 star 并关注公众号“前端游”。

转载自:https://juejin.cn/post/7402079591719026722
评论
请登录