PHP版QQ互联OAuth示例代码分享

/**
 * QQ互联 oauth
 * @author dyllen
 * @edit http://www.lai18.com
 * @date 2015-07-06
 */
class Oauth
{
  //取Authorization Code Url
  const PC_CODE_URL = ‘https://graph.qq.com/oauth2.0/authorize‘;
    
  //取Access Token Url
  const PC_ACCESS_TOKEN_URL = ‘https://graph.qq.com/oauth2.0/token‘;
    
  //取用户 Open Id Url
  const OPEN_ID_URL = ‘https://graph.qq.com/oauth2.0/me‘;
    
  //用户授权之后的回调地址
  public $redirectUri = null;
    
  // App Id
  public $appid = null;
    
  //App Key
  public $appKey = null;
    
  //授权列表
  //字符串,多个用逗号隔开
  public $scope = null;
    
  //授权code
  public $code = null;
    
  //续期access token的凭证
  public $refreshToken = null;
    
  //access token
  public $accessToken = null;
    
  //access token 有效期,单位秒
  public $expiresIn = null;
    
  //state
  public $state = null;
    
  public $openid = null;
    
  //construct
  public function __construct($config=[])
  {
    foreach($config as $key => $value) {
      $this->$key = $value;
    }
  }
    
  /**
   * 得到获取Code的url
   * @throws \InvalidArgumentException
   * @return string
   */
  public function codeUrl()
  {
    if (!$this->redirectUri) {
      throw new \Exception(‘parameter $redirectUri must be set.‘);
    }
    $query = [
        ‘response_type‘ => ‘code‘,
        ‘client_id‘ => $this->appid,
        ‘redirect_uri‘ => $this->redirectUri,
        ‘state‘ => $this->getState(),
        ‘scope‘ => $this->scope,
    ];
    
    return self::PC_CODE_URL . ‘?‘ . http_build_query($query);
  }
    
  /**
   * 取access token
   * @throws Exception
   * @return boolean
   */
  public function getAccessToken()
  {
    $params = [
        ‘grant_type‘ => ‘authorization_code‘,
        ‘client_id‘ => $this->appid,
        ‘client_secret‘ => $this->appKey,
        ‘code‘ => $this->code,
        ‘redirect_uri‘ => $this->redirectUri,
    ];
    
    $url = self::PC_ACCESS_TOKEN_URL . ‘?‘ . http_build_query($params);
    $content = $this->getUrl($url);
    parse_str($content, $res);
    if ( !isset($res[‘access_token‘]) ) {
      $this->thrwoError($content);
    }
    
    $this->accessToken = $res[‘access_token‘];
    $this->expiresIn = $res[‘expires_in‘];
    $this->refreshToken = $res[‘refresh_token‘];
    
    return true;
  }
    
  /**
   * 刷新access token
   * @throws Exception
   * @return boolean
   */
  public function refreshToken()
  {
    $params = [
        ‘grant_type‘ => ‘refresh_token‘,
        ‘client_id‘ => $this->appid,
        ‘client_secret‘ => $this->appKey,
        ‘refresh_token‘ => $this->refreshToken,
    ];
    
    $url = self::PC_ACCESS_TOKEN_URL . ‘?‘ . http_build_query($params);
    $content = $this->getUrl($url);
    parse_str($content, $res);
    if ( !isset($res[‘access_token‘]) ) {
      $this->thrwoError($content);
    }
    
    $this->accessToken = $res[‘access_token‘];
    $this->expiresIn = $res[‘expires_in‘];
    $this->refreshToken = $res[‘refresh_token‘];
    
    return true;
  }
    
  /**
   * 取用户open id
   * @return string
   */
  public function getOpenid()
  {
    $params = [
        ‘access_token‘ => $this->accessToken,
    ];
    
    $url = self::OPEN_ID_URL . ‘?‘ . http_build_query($params);
        
    $this->openid = $this->parseOpenid( $this->getUrl($url) );
      
    return $this->openid;
  }
    
  /**
   * get方式取url内容
   * @param string $url
   * @return mixed
   */
  public function getUrl($url)
  {
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, FALSE);
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
    curl_setopt($ch, CURLOPT_URL, $url);
    $response = curl_exec($ch);
    curl_close($ch);
    
    return $response;
  }
    
  /**
   * post方式取url内容
   * @param string $url
   * @param array $keysArr
   * @param number $flag
   * @return mixed
   */
  public function postUrl($url, $keysArr, $flag = 0)
  {
    $ch = curl_init();
    if(! $flag) curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, FALSE);
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
    curl_setopt($ch, CURLOPT_POST, TRUE);
    curl_setopt($ch, CURLOPT_POSTFIELDS, $keysArr);
    curl_setopt($ch, CURLOPT_URL, $url);
    $ret = curl_exec($ch);
    
    curl_close($ch);
    return $ret;
  }
    
    
  /**
   * 取state
   * @return string
   */
  protected function getState()
  {
    $this->state = md5(uniqid(rand(), true));
    //state暂存在缓存里面
    //自己定义
        //。。。。。。。。。
    
    return $this->state;
  }
    
  /**
   * 验证state
   * @return boolean
   */
  protected function verifyState()
  {
    //。。。。。。。
  }
    
  /**
   * 抛出异常
   * @param string $error
   * @throws \Exception
   */
  protected function thrwoError($error)
  {
    $subError = substr($error, strpos($error, "{"));
    $subError = strstr($subError, "}", true) . "}";
    $error = json_decode($subError, true);
      
    throw new \Exception($error[‘error_description‘], (int)$error[‘error‘]);
  }
    
  /**
   * 从获取openid接口的返回数据中解析出openid
   * @param string $str
   * @return string
   */
  protected function parseOpenid($str)
  {
    $subStr = substr($str, strpos($str, "{"));
    $subStr = strstr($subStr, "}", true) . "}";
    $strArr = json_decode($subStr, true);
    if(!isset($strArr[‘openid‘])) {
      $this->thrwoError($str);
    }
      
    return $strArr[‘openid‘];
  }
}

时间: 2024-11-09 00:00:27

PHP版QQ互联OAuth示例代码分享的相关文章

android 集成QQ互联 (登录,分享)

参考:http://blog.csdn.net/syz8742874/article/details/39271117 常见问题 : 1.QQ空间分享打不开不报错,但就是打不开页面 注意:有可能你写成了是这段代码 private void shareToQzone () { //分享类型 params.putString(QzoneShare.SHARE_TO_QQ_KEY_TYPE,SHARE_TO_QZONE_TYPE_IMAGE_TEXT ); params.putString(Qzone

Android版多线程下载器核心代码分享

首先给大家分享多线程下载核心类: 1 package com.example.urltest; 2 3 import java.io.IOException; 4 import java.io.InputStream; 5 import java.io.RandomAccessFile; 6 import java.net.HttpURLConnection; 7 import java.net.MalformedURLException; 8 import java.net.URL; 9 im

php分页函数示例代码,php分页代码实现方法

php分页函数示例代码 分享一例php分页函数代码,用此函数实现分页代码很不错. 代码,php分页函数. <?php /* * Created on 2011-07-28 * Author : LKK , http://lianq.net * 使用方法: require_once('mypage.php'); $result=mysql_query("select * from mytable", $myconn); $total=mysql_num_rows($result);

QQ互联OAuth2.0 .NET SDK 发布以及网站QQ登陆示例代码

OAuth: OAuth(开放授权)是一个开放标准,允许用户授权第三方网站访问他们存储在另外的服务提供者上的信息,而不需要将用户名和密码提供给第三方网站或分享他们数据的所有内容. QQ登录OAuth2.0:对于用户相关的OpenAPI(例如获取用户信息,动态同步,照片,日志,分享等),为了保护用户数据的安全和隐私,第三方网站访问用户数据前都需要显式的向用户征求授权. QQ登录OAuth2.0采用OAuth2.0标准协议来进行用户身份验证和获取用户授权,相对于之前的OAuth1.0协议,其认证流程

开发QQ互联ios版Ane扩张 辛酸史

来源:http://www.myexception.cn/operating-system/1451490.html 开发QQ互联ios版Ane扩展 辛酸史 开发QQ互联ios版Ane扩展辛酸史: 1.安装mac系统非常痛苦,找了好几个版本都装不上,同时对mac的基本操作和xcode的基本操作不熟悉. 2.用xcode建立ane项目(使用xcode-template-ane-master模板),引入第三方object-cframework,生成.a文件,供windows下生成ane文件. 发现w

17款jQuery在线QQ客服代码分享

17款jQuery在线QQ客服代码分享给大家咯!!拿走,不谢,我叫雷锋~~ jQuery侧边栏点击展开收缩在线QQ客服代码 jQuery网页右侧固定层显示隐藏在线qq客服代码 jQuery点击按钮遮罩弹出在线QQ客服代码 jQuery带留言在线qq客服代码 绿色的jquery qq在线客服网页右侧固定层qq客服隐藏显示代码 蓝色的jquery固定div悬浮在线客服代码 jquery固定层网页侧边栏在线qq客服代码 jquery浮动在左侧的QQ客服代码 带有弹性可伸缩的在线客服代码 jquery右

编译opengl编程指南第八版示例代码通过

最近在编译opengl编程指南第八版的示例代码,如下 1 #include <iostream> 2 #include "vgl.h" 3 #include "LoadShaders.h" 4 5 using namespace std; 6 7 8 enum VAO_IDs { Triangles, NumVAOs }; 9 enum Buffer_IDs { ArrayBuffer, NumBuffers }; 10 enum Attrib_IDs

《OpenGL ES 2.0 Programming Guide》第12章“最简单的ReadPixels并保存为BMP”示例代码【C语言版】

由于<OpenGL ES 2.0 Programming Guide>原书并没有提供第12章的示例代码,书上的代码也只提到关键的步骤,而网上大多是Android/iOS版本的示例,C/C++的大都基于OpenGL或OpenGL ES 3.0,为了加深理解,遂自己实现了一份C语言版本的,希望能够帮助到同样喜欢OpenGL ES 2.0的同学. 废话不多说,直接上代码 #include "stdafx.h" #include "esUtil.h" #incl

分享《TensorFlow实战Google深度学习框架 (第2版) 》中文版PDF和源代码

下载:https://pan.baidu.com/s/1aD1Y2erdtppgAbk8c63xEw 更多最新的资料:http://blog.51cto.com/3215120 <TensorFlow实战Google深度学习框架(第2版)>中文版PDF和源代码中文版PDF,带目录标签,文字可以复制,363页.配套源代码:经典书籍,讲解详细:如图 原文地址:https://www.cnblogs.com/javapythonstudy/p/9873505.html