php main 과 iframe 상호 통신 클래스(js+php 동일 도 메 인/크로스 도 메 인)

main 과 iframe 상호 통신 류
앞서'iframe 와 메 인 프레임 워 크 크로스 도 메 인 상호 접근 방법'를 써 서 main 과 iframe 이 서로 통신 하 는 원 리 를 소개 했다.원 리 를 모 르 는 것 은 먼저 볼 수 있다.
오늘 main 과 iframe 이 서로 통신 하 는 방법 을 클래스 로 포장 합 니 다.주로 두 개의 파일 이 있 습 니 다.
JS:FrameMessage.js 는 호출 방법의 인 터 페 이 스 를 실현 합 니 다.예 를 들 어 도 메 인 을 넘 으 면 임시 iframe 을 만 들 고 같은 도 메 인 실행 자 를 호출 합 니 다.
PHP:FrameMessage.class.php 가 크로스 도 메 인 요청 을 받 았 을 때 매개 변수 에 따라 실행 방법의 JS code 를 되 돌려 줍 니 다.
기능 은 다음 과 같 습 니 다.
1.같은 도 메 인과 크로스 도 메 인 통신 지원
2.전달 방법 매개 변 수 는 문자열,JSON,배열 등 을 지원 합 니 다.

FrameMessage.exec('http://127.0.0.1/execB.php', 'myframe', 'fIframe', ['fdipzone', '{"gender":"male","age":"29"}', '["http://blog.csdn.net/fdipzone", "http://weibo.com/fdipzone"]']); 

FrameMessage.exec('http://localhost/execA.php', '', 'fMain', ['programmer', '{"first":"PHP","second":"javascript"}', '["EEG","NMG"]']);
일부 브 라 우 저 는 JSON.stringify 와 JSON.parse 방법(예:IE6/7)을 지원 하지 않 기 때문에 호 환 을 위해 json 2.js 를 포함 하고 다운로드 주 소 를 포함해 야 합 니 다.
https://github.com/douglascrockford/JSON-js
FrameMessage.js

/** Main   Iframe                
*	Date:  2013-12-29
*  Author: fdipzone
*  Ver:  1.0
*/
var FrameMessage = (function(){

  this.oFrameMessageExec = null; //   iframe

  /*     
  executor      ,      
  frame             ,    parent
  func          
  args            ,     [arg1, arg2, arg3, argn...],  apply  
               ,     html,            
  */
  this.exec = function(executor, frame, func, args){

    this.executor = typeof(executor)!='undefined'? executor : '';
    this.frame = typeof(frame)!='undefined'? frame : '';
    this.func = typeof(func)!='undefined'? func : '';
    this.args = typeof(args)!='undefined'? (__fIsArray(args)? args : []) : []; //      

    if(executor==''){
      __fSameDomainExec(); // same domain
    }else{
      __fCrossDomainExec(); // cross domain
    }

  }

  /*      */
  function __fSameDomainExec(){
    if(this.frame==''){ // parent
      parent.window[this.func].apply(this, this.args);
    }else{
      window.frames[this.frame][this.func].apply(this, this.args);
    }
  }

  /*      */
  function __fCrossDomainExec(){
    if(this.oFrameMessageExec == null){
      this.oFrameMessageExec = document.createElement('iframe');
      this.oFrameMessageExec.name = 'FrameMessage_tmp_frame';
      this.oFrameMessageExec.src = __fGetSrc();
      this.oFrameMessageExec.style.display = 'none';
      document.body.appendChild(this.oFrameMessageExec);
    }else{
      this.oFrameMessageExec.src = __fGetSrc();
    }
  }

  /*      url */
  function __fGetSrc(){
    return this.executor + (this.executor.indexOf('?')==-1? '?' : '&') + 'frame=' + this.frame + '&func=' + this.func + '&args=' + JSON.stringify(this.args) + '&framemessage_rand=' + Math.random();
  }

  /*        */
  function __fIsArray(obj){
    return Object.prototype.toString.call(obj) === '[object Array]';
  }

  return this;

}());
FrameMessage.class.php

<?php
/** Frame Message class main   iframe      
*  Date:  2013-12-29
*  Author: fdipzone
*  Ver:  1.0
*
*  Func:
*  public execute         
*  private returnJs      javascript
*  private jsFormat     
*/

class FrameMessage{ // class start

  /* execute         
  * @param String $frame            ,    parent
  * @param String $func        
  * @param JSONstr $args          
  * @return String
  */
  public static function execute($frame, $func, $args=''){

    if(!is_string($frame) || !is_string($func) || !is_string($args)){
      return '';
    }

    // frame   func             
    if(($frame!='' && !preg_match('/^[A-Za-z0-9_]+$/',$frame)) || !preg_match('/^[A-Za-z0-9_]+$/',$func)){
      return '';
    }

    $params_str = '';

    if($args){
      $params = json_decode($args, true);
      
      if(is_array($params)){

        for($i=0,$len=count($params); $i<$len; $i++){ //     ,    
          $params[$i] = self::jsFormat($params[$i]);
        }
        
        $params_str = "'".implode("','", $params)."'";
      }
    }

    if($frame==''){ // parent
      return self::returnJs("parent.parent.".$func."(".$params_str.");");
    }else{
      return self::returnJs("parent.window.".$frame.".".$func."(".$params_str.");");
    }

  }


  /**      javascript
  * @param String $str
  * @return String 
  */
  private static function returnJs($str){

    $ret = '<script type="text/javascript">'."\r
"; $ret .= $str."\r
"; $ret .= '</script>'; return $ret; } /** * @param String $str * @return String */ private static function jsFormat($str){ $str = strip_tags(trim($str)); // html $str = str_replace('\\s\\s', '\\s', $str); $str = str_replace(chr(10), '', $str); $str = str_replace(chr(13), '', $str); $str = str_replace(' ', '', $str); $str = str_replace('\\', '\\\\', $str); $str = str_replace('"', '\\"', $str); $str = str_replace('\\\'', '\\\\\'', $str); $str = str_replace("'", "\'", $str); return $str; } } // class end ?>
A.html

<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
 <head>
 <meta http-equiv="content-type" content="text/html; charset=utf-8">
 <title> main window </title>
 <script type="text/javascript" src="json2.js"></script>
 <script type="text/javascript" src="FrameMessage.js"></script>

 <script type="text/javascript">

 // main js function
 function fMain(profession, skill, company){

	var skill_p = JSON.parse(skill);
	var company_p = JSON.parse(company);
	
	var msg = "main function execute success

"; msg += "profession:" + profession + "
"; msg += "first skill:" + skill_p.first + "
"; msg += "second skill:" + skill_p.second + "
"; msg += "company1:" + company_p[0] + "
"; msg += "company2:" + company_p[1] + "
"; alert(msg); } // exec iframe function function exec_iframe(){ // same domain //FrameMessage.exec('', 'myframe', 'fIframe', ['fdipzone', '{"gender":"male","age":"29"}', '["http://blog.csdn.net/fdipzone", "http://weibo.com/fdipzone"]']); // cross domain FrameMessage.exec('http://127.0.0.1/execB.php', 'myframe', 'fIframe', ['fdipzone', '{"gender":"male","age":"29"}', '["http://blog.csdn.net/fdipzone", "http://weibo.com/fdipzone"]']); } </script> </head> <body> <p>A.html main</p> <p><input type="button" value="exec iframe function" onclick="exec_iframe()"></p> <!-- same domain --> <!--<iframe src="B.html" name="myframe" width="500" height="100"></iframe>--> <!-- cross domain --> <iframe src="http://127.0.0.1/B.html" name="myframe" width="500" height="100"></iframe> </body> </html>
B.html

<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
 <head>
 <meta http-equiv="content-type" content="text/html; charset=utf-8">
 <title> iframe window </title>
 <script type="text/javascript" src="json2.js"></script>
 <script type="text/javascript" src="FrameMessage.js"></script>

 <script type="text/javascript">

 // iframe js function 
 function fIframe(name, obj, arr){
	
	var obj_p = JSON.parse(obj);
	var arr_p = JSON.parse(arr);
	
	var msg = "iframe function execute success

"; msg += "name:" + name + "
"; msg += "gender:" + obj_p.gender + "
"; msg += "age:" + obj_p.age + "
"; msg += "blog:" + arr_p[0] + "
"; msg += "weibo:" + arr_p[1] + "
"; alert(msg); } // exec main function function exec_main(){ // same domain //FrameMessage.exec('', '', 'fMain', ['programmer', '{"first":"PHP","second":"javascript"}', '["EEG","NMG"]']); // cross domain FrameMessage.exec('http://localhost/execA.php', '', 'fMain', ['programmer', '{"first":"PHP","second":"javascript"}', '["EEG","NMG"]']); } </script> </head> <body> <p>B.html iframe</p> <p><input type="button" value="exec main function" onclick="exec_main()"></p> </body> </html>
execA.php 와 execB.php

<?php
require 'FrameMessage.class.php';

$frame = isset($_GET['frame'])? $_GET['frame'] : '';
$func = isset($_GET['func'])? $_GET['func'] : '';
$args = isset($_GET['args'])? $_GET['args'] : '';

$result = FrameMessage::execute($frame, $func, $args);

echo $result;
?>
원본 다운로드 주소:클릭 하여 보기

좋은 웹페이지 즐겨찾기