React Native轉web方案:react-native-web

原文地址:github.com/HuJiaoHJ/bl…css

本文將從三個方面分享 react native 轉 web 方案:react-native-webnode

  • react-native-web 的使用
  • react-native-web 源碼分析
  • react-native-web 實踐

react-native-web:github.com/necolas/rea…react

使用

安裝

yarn add react react-dom react-native-web
複製代碼

若是使用了 ART,須要安裝 react-art(好比,使用了 react-native-svg 來作RN端icon方案,這就是基於 react-art)webpack

yarn add react-art
複製代碼

安裝好以後,使用主要分一下兩步:git

  • webpack配置
  • 入口處新增配置

webpack配置

webpack配置就跟普通 React web 應用配置一致便可,而後新增alias配置,以下:github

// webpack.config.js
module.exports = {
  // ...the rest of your config
  resolve: {
    alias: {
      'react-native$': 'react-native-web'
    }
  }
}
複製代碼

入口處新增配置

有兩種方式:web

  • 使用 AppRegistry API
  • 使用 render 方法

使用 AppRegistry API

在新增配置以前,首先看看RN的入口文件:react-native

// index.js
import { AppRegistry } from 'react-native';
import App from './App';

AppRegistry.registerComponent('rn_web', () => App);
複製代碼

新增配置以後,以下:數組

// index.web.js
import { AppRegistry } from 'react-native';
import App from './App';

AppRegistry.registerComponent('rn_web', () => App);

AppRegistry.runApplication('rn_web', {
    rootTag: document.getElementById('react-root')
});
複製代碼

使用 render 方法

使用 render 方法以下:bash

import { render } from 'react-native';
import App from './App';

render(<App/>, rootTag: document.getElementById('react-root'));
複製代碼

能夠看到,AppRegistry API 更貼近RN的寫法,render 方法跟 ReactDOM.render 是一個意思。

以上,就可以將現有RN頁面轉成web頁面了

接下來,以 AppRegistry API 爲入口,看看 react-native-web 作了什麼

react-native-web 源碼分析

從三部分來對源碼進行分析:

  • 入口,即 AppRegistry API
  • API,即對 RN API 實現
  • 組件,即對 RN 組件實現

入口:AppRegistry API

入口文件代碼:

// index.web.js
import { AppRegistry } from 'react-native';
import App from './App';

AppRegistry.registerComponent('rn_web', () => App);

AppRegistry.runApplication('rn_web', {
    rootTag: document.getElementById('react-root')
});
複製代碼

那咱們來來看看這兩個 API 都作了什麼

AppRegistry.registerComponent

const runnables = {};
static registerComponent(appKey: string, componentProvider: ComponentProvider): string {
    runnables[appKey] = {
        getApplication: appParameters => getApplication(componentProviderInstrumentationHook(componentProvider), appParameters ? appParameters.initialProps : emptyObject, wrapperComponentProvider && wrapperComponentProvider(appParameters)),
        run: appParameters => renderApplication(componentProviderInstrumentationHook(componentProvider), appParameters.initialProps || emptyObject, appParameters.rootTag, wrapperComponentProvider && wrapperComponentProvider(appParameters), appParameters.callback)
    };
    return appKey;
}
複製代碼

以例子代碼爲例,此方法就是定義了 runnables['rn_web'] 對象,此對象有 getApplication、run 兩個方法

AppRegistry.runApplication

static runApplication(appKey: string, appParameters: Object): void {
    runnables[appKey].run(appParameters);
}
複製代碼

以例子代碼爲例,此方法就是調用了

runnables['rn_web'].run({
    rootTag: document.getElementById('react-root')
})
複製代碼

這裏的 appParameters 數據結構以下:

{
    initialProps, // 初始props
    rootTag, // root DOM節點
    callback, // 回調函數
}
複製代碼

renderApplication

import { render } from 'react-dom';
const renderFn = render;
function renderApplication<Props: Object>(RootComponent: ComponentType<Props>, initialProps: Props, rootTag: any, WrapperComponent?: ?ComponentType<*>, callback?: () => void) {
    renderFn(
        <AppContainer WrapperComponent={WrapperComponent} rootTag={rootTag}> <RootComponent {...initialProps} /> </AppContainer>, rootTag, callback ); } 複製代碼

實際調用的是:

ReactDOM.render(
    <AppContainer WrapperComponent={WrapperComponent} rootTag={rootTag}> <App {...initialProps} /> </AppContainer>, rootTag, callback ); 複製代碼

AppContainer

export default class AppContainer extends Component<Props, State> {
  state = { mainKey: 1 };

  static childContextTypes = {
    rootTag: any
  };

  static propTypes = {
    WrapperComponent: any,
    children: node,
    rootTag: any.isRequired
  };

  getChildContext(): Context {
    return {
      rootTag: this.props.rootTag
    };
  }

  render() {
    const { children, WrapperComponent } = this.props;
    let innerView = (
      <View children={children} key={this.state.mainKey} pointerEvents="box-none" style={styles.appContainer} /> ); if (WrapperComponent) { innerView = <WrapperComponent>{innerView}</WrapperComponent>; } return ( <View pointerEvents="box-none" style={styles.appContainer}> {innerView} </View> ); } } const styles = StyleSheet.create({ appContainer: { flex: 1 } }); 複製代碼

API

以 StyleSheet 爲例,分析 react-native-web API 源碼

咱們都知道,RN中使用的樣式表是CSS的子集,咱們來看看 react-native-web 對樣式表的處理

StyleSheet

const StyleSheet = {
  absoluteFill,
  absoluteFillObject,
  compose(style1, style2) {
    ...
  },
  create(styles) {
    ...
  },
  flatten: flattenStyle,
  hairlineWidth: 1
};
複製代碼

RN的StyleSheet模塊有如下幾個方法和常量:

一、方法:

  • setStyleAttributePreprocessor(此方法存在風險)
  • create
  • flatten

二、常量:

  • hairlineWidth
  • absoluteFill
  • absoluteFillObject

能夠發現,react-native-web 中 StyleSheet 定義了除 setStyleAttributePreprocessor(此方法存在風險)方法以外的全部方法和常量。此外,還新增了 compose 方法,此方法在 react-native-web 的組件中使用

首先來看看 StyleSheet.create 方法

StyleSheet.create
create(styles) {
  const result = {};
  Object.keys(styles).forEach(key => {
    const id = styles[key] && ReactNativePropRegistry.register(styles[key]);
    result[key] = id;
  });
  return result;
}
複製代碼

代碼比較簡單,主要就是遍歷styles,對全部styles調用 ReactNativePropRegistry.register 獲取對應的id,返回對應 key-id 的對象。咱們先看個例子:

const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    alignItems: 'center',
    backgroundColor: '#F5FCFF',
  },
  welcome: {
    fontSize: 20,
    textAlign: 'center',
    margin: 10,
  },
  instructions: {
    textAlign: 'center',
    color: '#333333',
    marginBottom: 5,
  },
  ellipsis: {
    width: 200,
  }
});

console.log(styles);
複製代碼

咱們來看看打印出來的styles是什麼?

{container: 78, welcome: 79, instructions: 80, ellipsis: 81}
複製代碼

接着來看看 ReactNativePropRegistry.register 作了什麼

ReactNativePropRegistry
const emptyObject = {};
const objects = {};
const prefix = 'r';
let uniqueID = 1;

const createKey = id => `${prefix}-${id}`;

export default class ReactNativePropRegistry {
  static register(object: Object): number {
    const id = uniqueID++;
    if (process.env.NODE_ENV !== 'production') {
      Object.freeze(object);
    }
    const key = createKey(id);
    objects[key] = object;
    return id;
  }

  static getByID(id: number): Object {
    if (!id) {
      return emptyObject;
    }
    const key = createKey(id);
    const object = objects[key];
    if (!object) {
      return emptyObject;
    }
    return object;
  }
}
複製代碼

這個模塊,定義了兩個方法:register、getByID,register 是將樣式對象存入 objects 對象中,並返回對應的 id;getByID 則是經過 id 獲取對應的樣式對象

在react-native-web整個樣式轉換過程當中,除了StyleSheet.create,還須要關注一下 StyleSheet.flatten 方法,即 flattenStyle

flattenStyle
function getStyle(style) {
  if (typeof style === 'number') {
    return ReactNativePropRegistry.getByID(style);
  }
  return style;
}

function flattenStyle(style: ?StyleObj): ?Object {
  if (!style) {
    return undefined;
  }

  if (!Array.isArray(style)) {
    return getStyle(style);
  }

  const result = {};
  for (let i = 0, styleLength = style.length; i < styleLength; ++i) {
    const computedStyle = flattenStyle(style[i]);
    if (computedStyle) {
      for (const key in computedStyle) {
        const value = computedStyle[key];
        result[key] = value;
      }
    }
  }
  return result;
}
複製代碼

flattenStyle 方法接受的 styles 參數是存有樣式表id的數組或變量,經過遞歸遍歷 styles,調用上一部分提到的 ReactNativePropRegistry.getByID 方法,經過id獲取對應的樣式對象,並返回。

以上,咱們以 StyleSheet 爲例分析了 react-native-web 實現 RN API 的源碼。

組件

以 View 組件爲例,分析 react-native-web 組件的源碼

const calculateHitSlopStyle = hitSlop => {
  const hitStyle = {};
  for (const prop in hitSlop) {
    if (hitSlop.hasOwnProperty(prop)) {
      const value = hitSlop[prop];
      hitStyle[prop] = value > 0 ? -1 * value : 0;
    }
  }
  return hitStyle;
};

class View extends Component<ViewProps> {
  static displayName = 'View';

  static contextTypes = {
    isInAParentText: bool
  };

  static propTypes = ViewPropTypes;

  render() {
    const hitSlop = this.props.hitSlop;
    const supportedProps = filterSupportedProps(this.props);

    const { isInAParentText } = this.context;

    supportedProps.style = StyleSheet.compose(
      styles.initial,
      StyleSheet.compose(isInAParentText && styles.inline, this.props.style)
    );

    if (hitSlop) {
      const hitSlopStyle = calculateHitSlopStyle(hitSlop);
      const hitSlopChild = createElement('span', { style: [styles.hitSlop, hitSlopStyle] });
      supportedProps.children = React.Children.toArray([hitSlopChild, supportedProps.children]);
    }

    return createElement('div', supportedProps);
  }
}

const styles = StyleSheet.create({
  // https://github.com/facebook/css-layout#default-values
  initial: {
    alignItems: 'stretch',
    borderWidth: 0,
    borderStyle: 'solid',
    boxSizing: 'border-box',
    display: 'flex',
    flexDirection: 'column',
    margin: 0,
    padding: 0,
    position: 'relative',
    zIndex: 0,
    // fix flexbox bugs
    minHeight: 0,
    minWidth: 0
  },
  inline: {
    display: 'inline-flex'
  },
  // this zIndex-ordering positions the hitSlop above the View but behind
  // its children
  hitSlop: {
    ...StyleSheet.absoluteFillObject,
    zIndex: -1
  }
});

export default applyLayout(applyNativeMethods(View));
複製代碼

View 組件就是一個簡單的React組件,首先關注一下:

export default applyLayout(applyNativeMethods(View));
複製代碼

其中,applyNativeMethods 方法是將native的方法轉換爲對應的DOM方法;applyLayout 方法是對組件的生命週期函數進行重寫。這部分感興趣的小夥伴自行了解~

接下來關注一下 View 組件的 render 方法,主要是對組件的 props 作些處理,包括校驗 props 是否支持、style 處理,最後調用 createElement 方法

createElement

const createElement = (component, props, ...children) => {
  // use equivalent platform elements where possible
  let accessibilityComponent;
  if (component && component.constructor === String) {
    accessibilityComponent = AccessibilityUtil.propsToAccessibilityComponent(props);
  }
  const Component = accessibilityComponent || component;
  const domProps = createDOMProps(Component, props);
  adjustProps(domProps);
  return React.createElement(Component, domProps, ...children);
};
複製代碼

最終是調用了 React.createElement 方法建立 React Element,在此以前,主要作的事情就是調用 createDOMProps 方法,獲得 domProps

createDOMProps

const createDOMProps = (component, props, styleResolver) => {
  ...
  const {
    ...
    ...domProps
  } = props;

  // GENERAL ACCESSIBILITY
  ...

  // DISABLED
  ...

  // FOCUS
  // Assume that 'link' is focusable by default (uses <a>).
  // Assume that 'button' is not (uses <div role='button'>) but must be treated as such.
  ...

  // STYLE
  // Resolve React Native styles to optimized browser equivalent
  const reactNativeStyle = [
    component === 'a' && resetStyles.link,
    component === 'button' && resetStyles.button,
    role === 'heading' && resetStyles.heading,
    component === 'ul' && resetStyles.list,
    role === 'button' && !disabled && resetStyles.ariaButton,
    pointerEvents && pointerEventsStyles[pointerEvents],
    providedStyle,
    placeholderTextColor && { placeholderTextColor }
  ];
  const { className, style } = styleResolver(reactNativeStyle);
  if (className && className.constructor === String) {
    domProps.className = props.className ? `${props.className} ${className}` : className;
  }
  if (style) {
    domProps.style = style;
  }

  // OTHER
  // Link security and automation test ids
  ...
  return domProps;
};
複製代碼

createDOMProps 方法代碼較長,這裏就不所有粘貼,從幾個註釋能夠知道,此方法主要是將各 props 轉換成對應的 web 端的props,這裏咱們以 style 爲例,看看是如何作轉換的。

樣式轉換工做量主要在 styleResolver 方法,即調用 ReactNativeStyleResolver 實例的 resolve 方法。此方法最後會返回 className 和 style,最後會賦值到 domProps 中

styleResolver

resolve(style) {
  // fast and cachable
  // style: id
  if (typeof style === 'number') {
    this._injectRegisteredStyle(style);
    const key = createCacheKey(style);
    return this._resolveStyleIfNeeded(style, key);
  }
  // resolve a plain RN style object
  // style: 樣式對象
  if (!Array.isArray(style)) {
    return this._resolveStyleIfNeeded(style);
  }
  // flatten the style array
  // cache resolved props when all styles are registered
  // otherwise fallback to resolving
  // style: 存儲id的數組
  const flatArray = flattenArray(style);
  let isArrayOfNumbers = true;
  for (let i = 0; i < flatArray.length; i++) {
    const id = flatArray[i];
    if (typeof id !== 'number') {
      isArrayOfNumbers = false;
    } else {
      this._injectRegisteredStyle(id);
    }
  }
  const key = isArrayOfNumbers ? createCacheKey(flatArray.join('-')) : null;
  return this._resolveStyleIfNeeded(flatArray, key);
}
複製代碼

接下來看看 _injectRegisteredStyle_resolveStyleIfNeeded

_injectRegisteredStyle

_injectRegisteredStyle(id) {
  const { doLeftAndRightSwapInRTL, isRTL } = I18nManager;
  const dir = isRTL ? (doLeftAndRightSwapInRTL ? 'rtl' : 'rtlNoSwap') : 'ltr';
  if (!this.injectedCache[dir][id]) {
    // 根據id獲取對應的樣式對象
    const style = flattenStyle(id);
    // 對樣式對象格式化:各樣式屬性排序;添加長度單位;顏色值處理;特定屬性處理;返回格式化以後的樣式對象
    const domStyle = createReactDOMStyle(i18nStyle(style));
    Object.keys(domStyle).forEach(styleProp => {
      const value = domStyle[styleProp];
      if (value != null) {
        // 將樣式插入 WebStyleSheet(domStyleElement.sheet)中
        this.styleSheetManager.injectDeclaration(styleProp, value);
      }
    });
    // 將此樣式標記爲已插入
    this.injectedCache[dir][id] = true;
  }
}
複製代碼

其中,styleSheetManager.injectDeclaration 是基於 domStyleElement.sheet 對頁面樣式進行插入操做,咱們能夠看看轉出來的web頁面的樣式:

_resolveStyleIfNeeded

_resolveStyleIfNeeded 方法便是調用 _resolveStyle 方法,源碼以下:

_resolveStyle(style) {
  // 獲取對應id的樣式對象
  const flatStyle = flattenStyle(style);
  // 對樣式對象格式化:各樣式屬性排序;添加長度單位;顏色值處理;特定屬性處理;返回格式化以後的樣式對象
  const domStyle = createReactDOMStyle(i18nStyle(flatStyle));

  const props = Object.keys(domStyle).reduce(
    (props, styleProp) => {
      const value = domStyle[styleProp];
      if (value != null) {
        // 獲取 WebStyleSheet 中特定樣式屬性及值對應的className
        // 經過 StyleSheet.create 建立的樣式,會插入到 WebStyleSheet
        const className = this.styleSheetManager.getClassName(styleProp, value);
        if (className) {
          // 將此className放入props.classList中
          props.classList.push(className);
        } else {
          // Certain properties and values are not transformed by 'createReactDOMStyle' as they
          // require more complex transforms into multiple CSS rules. Here we assume that StyleManager
          // can bind these styles to a className, and prevent them becoming invalid inline-styles.
          // 單條樣式屬性,若是不是特殊屬性,則直接放進props.style中
          // 單條樣式屬性是指未經過 StyleSheet.create 建立的樣式
          if (
            styleProp === 'pointerEvents' ||
            styleProp === 'placeholderTextColor' ||
            styleProp === 'animationName'
          ) {
            const className = this.styleSheetManager.injectDeclaration(styleProp, value);
            if (className) {
              props.classList.push(className);
            }
          } else {
            if (!props.style) {
              props.style = {};
            }
            // 4x slower render
            props.style[styleProp] = value;
          }
        }
      }
      return props;
    },
    { classList: [] }
  );

  props.className = classListToString(props.classList);
  if (props.style) {
    props.style = prefixInlineStyles(props.style);
  }
  return props;
}
複製代碼

此方法主要是獲取全部樣式對應的 className 或者 style,並存入props中返回

以上,咱們以 View 組件爲例分析了 react-native-web 實現 RN 組件的源碼。

咱們作完源碼分析以後,咱們看看如何基於 react-native-web 作一些修改

實踐

以 Text 組件爲例,RN Text組件能夠設置 numberOfLines,來實現單行或多行省略,可是react-native-web只實現了單行省略,因此咱們要把多行省略的功能加上,代碼以下:

class Text extends Component<*> {
  ...
  render() {
    ...
    // allow browsers to automatically infer the language writing direction
    otherProps.dir = dir !== undefined ? dir : 'auto';
    otherProps.style = [
      styles.initial,
      this.context.isInAParentText === true && styles.isInAParentText,
      style,
      selectable === false && styles.notSelectable,
      numberOfLines === 1 && styles.singleLineStyle,
      onPress && styles.pressable
    ];
    // 支持多行省略
    if (numberOfLines > 1) {
      otherProps.style.push({
        display: '-webkit-box',
        WebkitBoxOrient: 'vertical',
        WebkitLineClamp: numberOfLines,
        overflow: 'hidden',
        textOverflow: 'ellipsis',
      });
    }
    const component = isInAParentText ? 'span' : 'div';
    return createElement(component, otherProps);
  }
  ...
}
複製代碼

舉的這個例子比較簡單,想表達的是咱們經過看react-native-web源碼,在開發過程當中,遇到了轉換web的問題,咱們能夠經過修改源碼、或者使用它提供的API來解決

具體代碼能夠參考示例項目:rn_web,包括源碼註釋和實例代碼

寫在最後

以上就是我對 react-native-web 源碼的分享,但願能對有須要的小夥伴有幫助~~~

喜歡個人文章小夥伴能夠去 個人我的博客 點star ⭐️

相關文章
相關標籤/搜索