PHP 에서 React Native Fecth 인 자 를 가 져 올 수 없 는 해결 방법

말 이 많 지 않 으 니,우 리 는 직접 예 시 를 보 자.
React Native 는fetch 를 이용 해 네트워크 요청 을 하고,추천Promise형식 으로 데이터 처 리 를 한다.
공식 데 모 는 다음 과 같다.

fetch('https://mywebsite.com/endpoint/', { 
 method: 'POST',
 headers: {
 'Accept': 'application/json',
 'Content-Type': 'application/json',
 },
 body: JSON.stringify({
 username: 'yourValue',
 pass: 'yourOtherValue',
 })
}).then((response) => response.json())
.then((res) => {
 console.log(res);
})
.catch((error) => {
 console.warn(error);
});
그러나 실제 개발 을 진행 하 던 중 phop 출력 $_POST이 빈 배열 인 것 으로 밝 혀 졌 다.
이때 스스로 찾 아 보고 두 가지 해결 방안 을 제시 했다.
1.폼 데이터 구축

function toQueryString(obj) { 
 return obj ? Object.keys(obj).sort().map(function (key) {
  var val = obj[key];
  if (Array.isArray(val)) {
   return val.sort().map(function (val2) {
    return encodeURIComponent(key) + '=' + encodeURIComponent(val2);
   }).join('&');
  }

  return encodeURIComponent(key) + '=' + encodeURIComponent(val);
 }).join('&') : '';
}

// fetch
body: toQueryString(obj) 
하지만 이 는 자신의 기계 에 서 는 효력 이 발생 하지 않 는 다.
2.서버 솔 루 션
body 의 내용 을 가 져 옵 니 다.php 에 이렇게 쓸 수 있 습 니 다.

$json = json_decode(file_get_contents('php://input'), true);
var_dump($json['username']); 
이 럴 때 데 이 터 를 출력 할 수 있 습 니 다.그러나 우리 의 문 제 는 서버 의 인터페이스 가 모두 되 었 고 ios 단 을 지원 해 야 할 뿐만 아니 라 웹 과 Android 의 지원 도 필요 하 다 는 것 입 니 다.이 럴 때 우 리 를 겸용 하 는 방안 은 대체로 다음 과 같다.
    1.우 리 는fetch매개 변수 에header 설정app 필드 를 설정 하고app이름 을 추가 합 니 다.ios-appname-1.8    2.우 리 는 서버 에 갈 고 리 를 설 치 했 습 니 다.요청 할 때마다 데이터 처 리 를 합 니 다.

//    app         
  if(!function_exists('apache_request_headers') ){
   $appName = $_SERVER['app'];
  }else{
   $appName = apache_request_headers()['app'];
  }

  //   RN fetch     
  if($appName == 'your settings') {
   $json = file_get_contents('php://input');
   $_POST = json_decode($json, TRUE );
  }
이렇게 하면 서버 는 크게 바 꿀 필요 가 없다.
Fetch 에 대한 간단 한 패키지.
우리 의 전단 전에 jquery 를 많이 사용 하기 때문에 우 리 는 간단 한fetch패 키 지 를 만 들 었 다.

var App = {

 config: {

  api: 'your host',
  // app    
  version: 1.1,

  debug: 1,
 },

 serialize : function (obj) {
  var str = [];
  for (var p in obj)
   if (obj.hasOwnProperty(p)) {
    str.push(encodeURIComponent(p) + "=" + encodeURIComponent(obj[p]));
   }
  return str.join("&");
 },

 // build random number
 random: function() {
  return ((new Date()).getTime() + Math.floor(Math.random() * 9999));
 },



 // core ajax handler
 send(url,options) {
  var isLogin = this.isLogin();
  var self = this;


  var defaultOptions = {
   method: 'GET',
   error: function() {
    options.success({'errcode':501,'errstr':'    ,     '});
   },
   headers:{
    'Authorization': 'your token',
    'Accept': 'application/json',
    'Content-Type': 'application/json',
    'App': 'your app name'
   },
   data:{
    // prevent ajax cache if not set
    '_regq' : self.random()
   },
   dataType:'json',
   success: function(result) {}
  };

  var options = Object.assign({},defaultOptions,options);
  var httpMethod = options['method'].toLocaleUpperCase();
  var full_url = '';
  if(httpMethod === 'GET') {
   full_url = this.config.api + url + '?' + this.serialize(options.data);
  }else{
   // handle some to 'POST'
   full_url = this.config.api + url;
  }

  if(this.config.debug) {
   console.log('HTTP has finished %c' + httpMethod + ': %chttp://' + full_url,'color:red;','color:blue;');
  }
  options.url = full_url;


  var cb = options.success;

  // build body data
  if(options['method'] != 'GET') {
   options.body = JSON.stringify(options.data);
  }

  // todo support for https
  return fetch('http://' + options.url,options)
    .then((response) => response.json())
    .then((res) => {
     self.config.debug && console.log(res);
     if(res.errcode == 101) {
      return self.doLogin();
     }

     if(res.errcode != 0) {

      self.handeErrcode(res);
     }
     return cb(res,res.errcode==0);
    })
    .catch((error) => {
     console.warn(error);
    });
 },


 handeErrcode: function(result) {
  //
  if(result.errcode == 123){


   return false;
  }

  console.log(result);
  return this.sendMessage(result.errstr);
 },


 //    

 sendMessage: function(msg,title) {
  if(!msg) {
   return false;
  }
  var title = title || '  ';

  AlertIOS.alert(title,msg);
 }

};

module.exports = App;
이렇게 개발 자 는 이렇게 사용 할 수 있 습 니 다.

App.send(url,{ 
 success: function(res,isSuccess) {
 }
})
총결산
자,여기 서 PHP 가 React Native Fecth 인 자 를 얻 지 못 하 는 문 제 는 기본적으로 해결 되 었 습 니 다.본 고 는 여러분 의 학습 과 업무 에 도움 이 되 고 의문 이나 문제 가 있 으 면 메 시 지 를 남 겨 서 교 류 를 할 수 있 기 를 바 랍 니 다.

좋은 웹페이지 즐겨찾기