Отменить запрос на выборку в реагирующем - PullRequest
3 голосов
/ 14 мая 2019

Есть ли способ прервать запрос на выборку в приложении реакции-нативного?

class MyComponent extends React.Component {
  state = { data: null };

  componentDidMount = () =>
    fetch('http://www.example.com')
      .then(data => this.setState({ data }))
      .catch(error => {
        throw error; 
      });

  cancelRequest = () => {
   //???
  };

  render = () => <div>{this.state.data ? this.state.data : 'loading'}</div>;
}

Я попробовал функцию abort из класса AbortController, но она не работает !!

...
abortController = new window.AbortController();

cancelRequest =  () => this.abortController.abort();

componentDidMount = () =>
        fetch('http://www.example.com', { signal: this.abortController.signal })
          ....

Любая помощь, пожалуйста!

Ответы [ 3 ]

2 голосов
/ 15 мая 2019

лучшее решение - использовать rxjs observables + axios / fetch вместо обещаний, прервать запрос => отменить подписку observable:

import Axios from "axios";
import {
    Observable
} from "rxjs";

export default class HomeScreen extends React.Component {
    subs = null;

    doStuff = () => {
        let observable$ = Observable.create(observer => {
            Axios.get('https://jsonplaceholder.typicode.com/todos', {}, {})
                .then(response => {
                    observer.next(response.data);
                    observer.complete();
                })
        });

        this.subs = observable$.subscribe({
            next: data => console.log('[data] => ', data),
            complete: data => console.log('[complete]'),
        });

    }

    cancel = () =>
        if (this.subs) this.subs.unsubscribe()

    componentWillUnmount() {
        if (this.subs) this.subs.unsubscribe();
    }

}

Вот и все:)

1 голос
/ 16 июля 2019

Вам больше не нужен какой-либо polyfill для отмены запроса в React Native 0.60 changelog

Вот краткий пример из doc Reaction-native:

/**
 * Copyright (c) Facebook, Inc. and its affiliates.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 *
 * @format
 * @flow
*/

'use strict';

const React = require('react');
const {Alert, Button, View} = require('react-native');

class XHRExampleAbortController extends React.Component<{}, {}> {
  _timeout: any;

  _submit(abortDelay) {
    clearTimeout(this._timeout);
    // eslint-disable-next-line no-undef
    const abortController = new AbortController();
    fetch('https://facebook.github.io/react-native/', {
      signal: abortController.signal,
    })
      .then(res => res.text())
      .then(res => Alert.alert(res))
      .catch(err => Alert.alert(err.message));
    this._timeout = setTimeout(() => {
          abortController.abort();
    }, abortDelay);
  }

  componentWillUnmount() {
    clearTimeout(this._timeout);
  }

  render() {
    return (
      <View>
        <Button
          title="Abort before response"
          onPress={() => {
            this._submit(0);
          }}
        />
        <Button
          title="Abort after response"
          onPress={() => {
            this._submit(5000);
          }}
        />
      </View>
    );
  }
}

module.exports = XHRExampleAbortController;
0 голосов
/ 14 мая 2019

На самом деле этого можно добиться, установив этот polyfill abortcontroller-polyfill Вот быстрый пример отмены запросов:

import React from 'react';
import { Button, View, Text } from 'react-native';
import 'abortcontroller-polyfill';

export default class HomeScreen extends React.Component {
  state = { todos: [] };

  controller = new AbortController();

  doStuff = () => {
    fetch('https://jsonplaceholder.typicode.com/todos',{
      signal: this.controller.signal
    })
    .then(res => res.json())
    .then(todos => {
      alert('done');
      this.setState({ todos })
    })
    .catch(e => alert(e.message));
    alert('calling cancel');
    this.controller.abort()
  }


  render(){
    return (
      <View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
        <Text>Details Screen</Text>
        <Button title="Do stuff" onPress={() => { this.doStuff(); }} /> 
      </View>
    )
  }
}

Таким образом, в основном в этом примере, когда вы нажимаете кнопку «doStuff», запрос немедленно отменяется, и вы никогда не получаете предупреждение «выполнено». Чтобы убедиться, что это работает, попробуйте закомментировать эти строки и снова нажмите кнопку:

alert('calling cancel');
this.controller.abort()

На этот раз вы получите предупреждение "Готово".

Это простой пример того, как вы можете отменить запрос, используя fetch в реагировать на натив, не стесняйтесь принять его в своем случае.

Вот ссылка на демонстрацию на snackexpo https://snack.expo.io/@mazinoukah/fetch-cancel-request

надеюсь, это поможет:)

...