添加微信SDKload方法

This commit is contained in:
Anyon 2017-02-09 05:15:17 -05:00
parent a2e772644e
commit 1ba26dc541
15 changed files with 4957 additions and 0 deletions

View File

@ -0,0 +1,111 @@
<?php
namespace controller;
use service\FansService;
use think\Controller;
class BasicWechat extends Controller {
/**
* 当前粉丝用户OPENID
* @var string
*/
protected $openid;
/**
* 当前粉丝信息
* @var array
*/
protected $fansinfo;
/**
* 当前访问网址
* @var string
*/
protected $current;
/**
* 是否默认开启网页授权
* @var bool
*/
protected $check_auth = true;
/**
* 初始化方法
*/
public function _initialize() {
parent::_initialize();
$this->current = (is_https() ? 'https' : 'http') . '://' . $this->request->host() . $this->request->url();
/* 网页授权,并获粉丝信息 */
if ($this->check_auth && $this->oAuth()) {
if ($this->request->isGet()) {
$this->assign('js_sign', load_wechat('script')->getJsSign($this->current));
$this->assign('fansinfo', $this->fansinfo);
}
}
}
/**
* 微信网页授权函数
* @param bool $isfull
* @return string
*/
protected function oAuth($isfull = true) {
$host = $this->request->host();
# 本地开发调试用户OPENID
if (in_array($host, ['127.0.0.1', 'localhost'])) {
session('openid', 'o38gps1Unf64JOTdxNdd424lsEmM');
}
# 检查缓存中openid信息是否完整
if (!!($this->openid = session('openid'))) {
if (!!($this->fansinfo = FansService::get($this->openid)) || !$isfull) {
return $this->openid;
}
}
# 发起微信网页授权
$wxoauth_url = $this->current;
if (!($redirect_url = $this->request->get('redirecturl', false, 'decode'))) {
$params = $this->request->param();
$params['redirecturl'] = encode($wxoauth_url);
$wxoauth_url = url($this->request->baseUrl(), '', false, true) . '?' . http_build_query($params);
}
$wechat = &load_wechat('Oauth');
# 微信网页授权处理
if (!$this->request->get('code', false)) {
exit(redirect($wechat->getOauthRedirect($wxoauth_url, 'webOauth', 'snsapi_base'))->send());
}
if (FALSE === ($result = $wechat->getOauthAccessToken()) || empty($result['openid'])) {
Log::error("微信授权失败 [ {$wechat->errMsg} ]");
exit('网页授权失败,请稍候再试!');
}
session('openid', $this->openid = $result['openid']);
$this->fansinfo = FansService::get($this->openid);
# 微信粉丝信息处理
if (empty($this->fansinfo['expires_in']) || $this->fansinfo['expires_in'] < time()) {
switch ($result['scope']) {
case 'snsapi_base': /* 普通授权,获取用户资料;未关注时重新使用高级授权 */
$user = load_wechat('User')->getUserInfo($this->openid);
if ($isfull && empty($user['subscribe'])) {
exit(redirect($wechat->getOauthRedirect($wxoauth_url, 'webOauth', 'snsapi_userinfo'))->send());
}
break;
case 'snsapi_userinfo': /* 高级授权,获取用户资料 */
$user = $wechat->getOauthUserinfo($result['access_token'], $this->openid);
break;
}
if ($isfull && (empty($user) || !array_key_exists('nickname', $user))) {
exit("微信授权失败 [{$wechat->errMsg}]!");
}
/* 更新粉丝信息 */
$user['expires_in'] = $result['expires_in'] + time() - 100;
$user['refresh_token'] = $result['refresh_token'];
$user['access_token'] = $result['access_token'];
!FansService::set($user) && exit('微信授权失败 [ save userinfo faild ]');
$this->fansinfo = FansService::get($this->openid);
}
empty($this->fansinfo) && exit('获取微信用户信息失败!');
!!$redirect_url && exit(redirect($redirect_url)->send());
return $this->openid;
}
}

94
extend/library/Csv.php Normal file
View File

@ -0,0 +1,94 @@
<?php
namespace library;
/**
* Cvs 导出工具
*
* 流输出操作,支持输出大文件
* @author Anyon <zoujingli@qq.com>
* @date 2016-05-12 09:50
*/
class Csv {
/**
* 输出对象
* @var string
*/
protected $output;
/**
* 输出行数
* @var int
*/
protected $_row_nums = 0;
/**
* 构造函数
* @param string $downname 下载的文件名
* @param string $filename 输出文件流名
*/
public function __construct($downname = 'export.csv', $filename = 'php://output') {
if ($filename === 'php://output') {
header("Content-type:text/csv");
header("Content-Disposition:attachment;filename=" . $downname);
header('Cache-Control:must-revalidate,post-check=0,pre-check=0');
header('Expires:0');
header('Pragma:public');
}
$this->output = fopen($filename, 'w');
}
/**
* 增加数据列
* @param array $data
*/
public function add_list($data) {
foreach ($data as $row) {
is_array($row) && $this->add_row($row);
}
}
/**
* 增加一行记录
* @param array $row
* @return Csv
*/
public function add_row($row) {
$this->_row_nums++;
if ($this->_row_nums % 1000 === 0) {
ob_flush();
flush();
}
fputcsv($this->output, $this->_convert_gbk($row));
return $this;
}
/**
* 整行数据转为GBK编码
* @param string $row
* @return string
*/
protected function _convert_gbk($row) {
foreach ($row as &$value) {
$value = mb_convert_encoding($value, 'gbk', 'utf-8');
}
return $row;
}
/**
* 关闭输出对象
*/
public function close() {
!empty($this->output) && fclose($this->output);
$this->output = null;
}
/**
* 魔术方法,销毁对象
*/
public function __destruct() {
$this->close();
}
}

135
extend/library/Data.php Normal file
View File

@ -0,0 +1,135 @@
<?php
namespace library;
use think\Db;
use think\db\Query;
/**
* 数据工具库类
*
* @author Anyon <zoujingli@qq.com>
* @date 2016/10/21 19:04
*/
class Data {
/**
* 删除指定序号
* @param string $sequence
* @param string $type
* @return bool
*/
static public function deleteSequence($sequence, $type = 'SYSTEM') {
return Db::table('system_sequence')->where('type', strtoupper($type))->where('sequence', $sequence)->delete();
}
/**
* 生成唯一序号 (失败返回 NULL )
* @param int $length 序号长度
* @param string $type 序号顾类型
* @return string
*/
static public function createSequence($length = 13, $type = 'SYSTEM') {
return self::_createSequence($length, strtoupper($type));
}
/**
* 检测并创建序号
* @param int $length
* @param string $type
* @param int $times
* @param string $sequence
* @return string
*/
static protected function _createSequence($length, $type, $times = 0, $sequence = '') {
if ($times > 10 || $length < 1) {
return null;
}
$i = 0;
while ($i++ < $length) {
$sequence .= ($i <= 1 ? rand(1, 9) : rand(0, 9));
}
$data = ['sequence' => $sequence, 'type' => $type];
if (Db::table('system_sequence')->where($data)->count() > 0) {
return self::_createSequence($length, $type, ++$times);
}
if (Db::table('system_sequence')->insert($data) > 0) {
return $sequence;
} else {
return self::_createSequence($length, $type, ++$times);
}
}
/**
* 数据增量保存
* @param Query|string $db 数据查询对象
* @param array $data 需要保存或更新的数据
* @param string $upkey 条件主键限制
* @param array $where 其它的where条件
* @return bool
*/
static public function save($db, $data, $upkey = 'id', $where = []) {
$db = is_string($db) ? db($db) : $db;
$fields = $db->getFieldsType(['table' => $db->getTable()]);
$_data = [];
foreach ($data as $k => $v) {
if (array_key_exists($k, $fields)) {
$_data[$k] = $v;
}
}
$db = self::_apply_save_where($db, $data, $upkey, $where);
if ($db->getOptions() && $db->count() > 0) {
return self::_apply_save_where($db, $data, $upkey, $where)->update($_data) !== FALSE;
}
return self::_apply_save_where($db, $data, $upkey, $where)->insert($_data) !== FALSE;
}
/**
* 应用 where 条件
* @param Query $db 数据查询对象
* @param array $data 需要保存或更新的数据
* @param string $upkey 条件主键限制
* @param array $where 其它的where条件
* @return Query
*/
static protected function _apply_save_where(&$db, $data, $upkey, $where) {
foreach (is_string($upkey) ? explode(',', $upkey) : $upkey as $v) {
if (is_string($v) && array_key_exists($v, $data)) {
$db->where($v, $data[$v]);
} elseif (is_string($v)) {
$db->where("{$v} IS NULL");
}
}
return $db->where($where);
}
/**
* 更新数据表内容
* @param Query|string $db
* @param array $where 额外查询条件
* @return bool|null
*/
static public function update(&$db, $where = []) {
if (!request()->isPost()) {
return null;
}
$db = is_string($db) ? db($db) : $db;
$ids = explode(',', input("post.id", '', 'trim'));
$field = input('post.field', '', 'trim');
$value = input('post.value', '', 'trim');
$pk = $db->getPk(['table' => $db->getTable()]);
$db->where(empty($pk) ? 'id' : $pk, 'in', $ids);
!empty($where) && $db->where($where);
// 删除模式
if ($field === 'delete') {
$fields = $db->getTableFields(['table' => $db->getTable()]);
if (in_array('is_deleted', $fields)) {
return false !== $db->update(['is_deleted' => 1]);
}
return false !== $db->delete();
}
// 更新模式
return false !== $db->update([$field => $value]);
}
}

47
extend/library/Emoji.php Normal file

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,94 @@
<?php
namespace library;
/**
* 快递查询接口
* @class Express
* @brief Line的协议接口
*/
class Express {
const APPID = '1232779';
const APPKEY = 'ac45f461-8c1a-4518-87b1-bb8e835a2f9d';
const APIURI = 'http://api.kdniao.com/Ebusiness/EbusinessOrderHandle.aspx';
/**
* @brief 获取物流轨迹线路
* @param $ShipperCode string 物流公司代号
* @param $LogisticCode string 物流单号
* @return string array 轨迹数据
*/
public static function line($ShipperCode, $LogisticCode) {
$sendData = json_encode(array('ShipperCode' => $ShipperCode, 'LogisticCode' => $LogisticCode), JSON_UNESCAPED_UNICODE);
$data = array(
'RequestData' => $sendData,
'EBusinessID' => self::APPID,
'RequestType' => '1002',
'DataType' => 2,
'DataSign' => base64_encode(md5($sendData . self::APPKEY)),
);
$result = Http::post(self::APIURI, $data);
$resultJson = json_decode($result, true);
if (!$resultJson) {
die(var_export($result));
}
return self::response($resultJson);
}
/**
* 处理返回数据统一数据格式
* @param $result 结果处理
* @return array 通用的结果集 array('result' => 'success或者fail','data' => array( array('time' => '时间','info' => '地点'),......),'reason' => '失败原因')
*/
public static function response($result) {
$status = "fail";
$data = array();
$message = "此单号无跟踪记录";
if (isset($result['Message'])) {
$message = $result['Message'];
} else if (isset($result['Reason'])) {
$message = $result['Reason'];
}
if (isset($result['Traces']) && $result['Traces']) {
foreach ($result['Traces'] as $key => $val) {
$data[$key]['time'] = $val['AcceptTime'];
$data[$key]['info'] = $val['AcceptStation'];
}
$status = "success";
$message = '此订单号有' . count($data) . '条跟踪记录';
}
return array('result' => $status, 'data' => $data, 'message' => $message);
}
/**
* CURL模拟提交数据
* @param $url string 提交的url
* @param $data array 要发送的数据
* @return mixed 返回的数据
*/
private static function curl_post($url, $data) {
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
curl_setopt($ch, CURLOPT_POST, 1);
curl_setopt($ch, CURLOPT_POSTFIELDS, self::_encode_data($data));
return curl_exec($ch);
}
/**
* 进行数据的string字符串编码
* @param type $datas
* @return type
*/
private static function _encode_data($datas) {
$temps = array();
foreach ($datas as $key => $value) {
$temps[] = sprintf('%s=%s', $key, $value);
}
return join('&', $temps);
}
}

137
extend/library/File.php Normal file
View File

@ -0,0 +1,137 @@
<?php
namespace library;
use Exception;
use Qiniu\Auth;
use Qiniu\Storage\UploadManager;
use think\Log;
/**
* 文件处理库
*
* @author Anyon <zoujingli@qq.com>
* @date 2016/03/19 13:40
*/
class File {
/**
* 存储微信上传的文件
* @param string $appid 公众号APPID
* @param string $medias MediaID列表
* @param string $ext 文件后缀
* @param string $method 获取素材接口方法getForeverMedia|getMedia
* @param string $split 多项分割符
* @param array $list 文件URL列表
* @return string
*/
static public function wechat($appid, $medias, $ext = '.png', $method = 'getMedia', $split = ',', $list = array()) {
$wechat = &load_wechat('Media', $appid);
if (is_string($medias)) {
$medias = explode($split, $medias);
}
foreach ($medias as $media_id) {
if (stripos($media_id, 'http') === 0) {
$list[] = $media_id;
continue;
}
$filename = 'wechat/' . join('/', str_split(md5($media_id), 16)) . $ext;
$content = $wechat->$method($media_id, (strtolower($ext) === '.mp4'));
if ($content === FALSE) {
Log::record("获取微信素材失败,{$wechat->errMsg}" . var_export(func_get_args(), TRUE), Log::ERROR);
continue;
}
// 视频需要处理
if (strtolower($ext) === '.mp4' && is_array($content) && isset($content['down_url'])) {
$content = file_get_contents($content['down_url']);
// 半个小时就失效了
// $list[] = $content['down_url'];
// continue;
}
$result = self::save($filename, $content, 'qiniu');
if ($result !== false && isset($result['url'])) {
$list[] = $result['url'];
}
}
return join($split, $list);
}
/**
* 根据Key读取文件内容
* @param type $filename
* @param type $file_storage
* @return type
*/
static public function get($filename, $file_storage = NULL) {
switch (empty($file_storage) ? sysconf('file_storage') : $file_storage) {
case 'local':
if (file_exists(ROOT_PATH . 'public/upload/' . $filename)) {
return file_get_contents(ROOT_PATH . 'public/upload/' . $filename);
}
case 'qiniu':
$auth = new Auth(sysconf('qiniu_accesskey'), sysconf('qiniu_secretkey'));
return file_get_contents($auth->privateDownloadUrl(sysconf('qiniu_protocol') . '://' . sysconf('qiniu_domain') . '/' . $filename));
}
return null;
}
/**
* 根据当前配置存储文件
* @param string $filename
* @param string $bodycontent
* @param string|null $file_storage
* @return array|null
*/
static public function save($filename, $bodycontent, $file_storage = NULL) {
$type = empty($file_storage) ? sysconf('file_storage') : $file_storage;
if (!method_exists(__CLASS__, $type)) {
Log::record("保存存储失败,调用{$type}存储引擎不存在!", Log::ERROR);
return null;
}
return self::$type($filename, $bodycontent);
}
/**
* 文件储存在本地
* @param string $filename
* @param string $bodycontent
* @return string
*/
static public function local($filename, $bodycontent) {
$filepath = ROOT_PATH . 'public/upload/' . $filename;
try {
!is_dir(dirname($filepath)) && mkdir(dirname($filepath), '0755', true);
if (file_put_contents($filepath, $bodycontent)) {
return array(
'hash' => md5_file($filepath),
'key' => "upload/{$filename}",
'url' => pathinfo(request()->baseFile(true), PATHINFO_DIRNAME) . '/upload/' . $filename
);
}
} catch (Exception $err) {
Log::record('本地文件存储失败, ' . var_export($err, true), Log::ERROR);
}
return null;
}
/**
* 七牛云存储
* @param string $filename
* @param string $bodycontent
* @return string
*/
static public function qiniu($filename, $bodycontent) {
$auth = new Auth(sysconf('qiniu_accesskey'), sysconf('qiniu_secretkey'));
$token = $auth->uploadToken(sysconf('qiniu_bucket'));
$uploadMgr = new UploadManager();
list($result, $err) = $uploadMgr->put($token, $filename, $bodycontent);
if ($err !== null) {
Log::record('七牛云文件上传失败, ' . var_export($err, true), Log::ERROR);
return null;
} else {
$result['url'] = sysconf('qiniu_protocol') . '://' . sysconf('qiniu_domain') . '/' . $filename;
return $result;
}
}
}

124
extend/library/Http.php Normal file
View File

@ -0,0 +1,124 @@
<?php
namespace library;
use CURLFile;
/**
* HTTP模拟请求
*
* @package library
* @author Anyon <zoujingli@qq.com>
* @date 2016/11/15 09:53
*/
class Http {
/**
* HTTP GET 请求
* @param string $url 请求的URL地址
* @param array $data GET参数
* @param int $second 设置超时时间默认30秒
* @param array $header 请求Header信息
* @return bool|string
*/
static public function get($url, $data = array(), $second = 30, $header = []) {
if (!empty($data)) {
$url .= (stripos($url, '?') === FALSE ? '?' : '&');
$url .= (is_array($data) ? http_build_query($data) : $data);
}
$curl = curl_init();
curl_setopt($curl, CURLOPT_TIMEOUT, $second);
curl_setopt($curl, CURLOPT_URL, $url);
curl_setopt($curl, CURLOPT_RETURNTRANSFER, 1);
if (!empty($header)) {
curl_setopt($curl, CURLOPT_HTTPHEADER, $header);
}
self::_set_ssl($curl, $url);
$content = curl_exec($curl);
$status = curl_getinfo($curl);
curl_close($curl);
if (intval($status["http_code"]) == 200) {
return $content;
} else {
return false;
}
}
/**
* 设置SSL参数
* @param $curl
* @param string $url
*/
static private function _set_ssl(&$curl, $url) {
if (stripos($url, "https") === 0) {
curl_setopt($curl, CURLOPT_SSL_VERIFYPEER, FALSE);
curl_setopt($curl, CURLOPT_SSL_VERIFYHOST, FALSE);
curl_setopt($curl, CURLOPT_SSLVERSION, 1);
}
}
/**
* POST 请求(支持文件上传)
* @param string $url HTTP请求URL地址
* @param array|string $data POST提交的数据
* @param int $second 请求超时时间
* @param array $header 请求Header信息
* @return bool|string
*/
static public function post($url, $data = [], $second = 30, $header = []) {
self::_set_upload($data);
$curl = curl_init();
curl_setopt($curl, CURLOPT_TIMEOUT, $second);
curl_setopt($curl, CURLOPT_URL, $url);
curl_setopt($curl, CURLOPT_HEADER, FALSE);
curl_setopt($curl, CURLOPT_RETURNTRANSFER, TRUE);
curl_setopt($curl, CURLOPT_POST, TRUE);
curl_setopt($curl, CURLOPT_POSTFIELDS, $data);
if (!empty($header)) {
curl_setopt($curl, CURLOPT_HTTPHEADER, $header);
}
self::_set_ssl($curl, $url);
$content = curl_exec($curl);
$status = curl_getinfo($curl);
curl_close($curl);
if (intval($status["http_code"]) == 200) {
return $content;
} else {
return false;
}
}
/**
* 设置POST文件上传兼容
* @param array $data
* @return string
*/
static private function _set_upload(&$data) {
if (is_array($data)) {
foreach ($data as &$value) {
if (!is_string($value) || stripos($value, '@') !== 0) {
continue;
}
$filename = realpath(trim($value, '@'));
$filemime = self::_get_file_mimes($filename);
$value = class_exists('CURLFile', FALSE) ? new CURLFile($filename, $filemime) : "{$value};type={$filemime}";
}
}
}
/**
* 文件上传MIMS设置
* @param $file
* @return string
*/
static private function _get_file_mimes($file) {
$mimes = require(__DIR__ . DS . 'resource' . DS . 'mines.php');
$ext = strtolower(pathinfo($file, PATHINFO_EXTENSION));
if (isset($mimes[$ext])) {
return is_array($mimes[$ext]) ? $mimes[$ext][0] : $mimes[$ext];
} else {
return 'application/octet-stream';
}
}
}

View File

@ -0,0 +1,384 @@
<?php
namespace library;
/**
* ip2region php seacher client class
*
* @author chenxin<chenxin619315@gmail.com>
* @date 2015-10-29
*/
defined('INDEX_BLOCK_LENGTH') or define('INDEX_BLOCK_LENGTH', 12);
defined('TOTAL_HEADER_LENGTH') or define('TOTAL_HEADER_LENGTH', 4096);
class Ip2Region {
/**
* db file handler
*/
private $dbFileHandler = NULL;
/**
* header block info
*/
private $HeaderSip = NULL;
private $HeaderPtr = NULL;
private $headerLen = 0;
/**
* super block index info
*/
private $firstIndexPtr = 0;
private $lastIndexPtr = 0;
private $totalBlocks = 0;
/**
* for memory mode only
* the original db binary string
*/
private $dbBinStr = NULL;
private $dbFile = NULL;
/**
* construct method
*
* @param ip2regionFile
*/
public function __construct($ip2regionFile = null) {
if (is_null($ip2regionFile)) {
$this->dbFile = __DIR__ . '/resource/ip2region.db';
} else {
$this->dbFile = $ip2regionFile;
}
}
/**
* 静态查询
* @staticvar type $self
* @param string $ip
* @param string $method
* @return string
*/
public static function query($ip, $method = 'btreeSearch') {
static $self = null;
if (empty($self)) {
$self = new Ip2Region();
}
$ret = $self->$method($ip);
return $ret['region'];
}
/**
* all the db binary string will be loaded into memory
* then search the memory only and this will a lot faster than disk base search
* @param $ip
* @return array|null
*/
public function memorySearch($ip) {
//check and load the binary string for the first time
if ($this->dbBinStr == NULL) {
$this->dbBinStr = file_get_contents($this->dbFile);
if ($this->dbBinStr == false) {
throw new Exception("Fail to open the db file {$this->dbFile}");
}
$this->firstIndexPtr = self::getLong($this->dbBinStr, 0);
$this->lastIndexPtr = self::getLong($this->dbBinStr, 4);
$this->totalBlocks = ($this->lastIndexPtr - $this->firstIndexPtr) / INDEX_BLOCK_LENGTH + 1;
}
if (is_string($ip))
$ip = self::safeIp2long($ip);
//binary search to define the data
$l = 0;
$h = $this->totalBlocks;
$dataPtr = 0;
while ($l <= $h) {
$m = (($l + $h) >> 1);
$p = $this->firstIndexPtr + $m * INDEX_BLOCK_LENGTH;
$sip = self::getLong($this->dbBinStr, $p);
if ($ip < $sip) {
$h = $m - 1;
} else {
$eip = self::getLong($this->dbBinStr, $p + 4);
if ($ip > $eip) {
$l = $m + 1;
} else {
$dataPtr = self::getLong($this->dbBinStr, $p + 8);
break;
}
}
}
//not matched just stop it here
if ($dataPtr == 0)
return NULL;
//get the data
$dataLen = (($dataPtr >> 24) & 0xFF);
$dataPtr = ($dataPtr & 0x00FFFFFF);
return array(
'city_id' => self::getLong($this->dbBinStr, $dataPtr),
'region' => substr($this->dbBinStr, $dataPtr + 4, $dataLen - 4)
);
}
/**
* get the data block throught the specifield ip address or long ip numeric with binary search algorithm
*
* @param ip
* @return mixed Array or NULL for any error
*/
public function binarySearch($ip) {
//check and conver the ip address
if (is_string($ip))
$ip = self::safeIp2long($ip);
if ($this->totalBlocks == 0) {
//check and open the original db file
if ($this->dbFileHandler == NULL) {
$this->dbFileHandler = fopen($this->dbFile, 'r');
if ($this->dbFileHandler == false) {
throw new Exception("Fail to open the db file {$this->dbFile}");
}
}
fseek($this->dbFileHandler, 0);
$superBlock = fread($this->dbFileHandler, 8);
$this->firstIndexPtr = self::getLong($superBlock, 0);
$this->lastIndexPtr = self::getLong($superBlock, 4);
$this->totalBlocks = ($this->lastIndexPtr - $this->firstIndexPtr) / INDEX_BLOCK_LENGTH + 1;
}
//binary search to define the data
$l = 0;
$h = $this->totalBlocks;
$dataPtr = 0;
while ($l <= $h) {
$m = (($l + $h) >> 1);
$p = $m * INDEX_BLOCK_LENGTH;
fseek($this->dbFileHandler, $this->firstIndexPtr + $p);
$buffer = fread($this->dbFileHandler, INDEX_BLOCK_LENGTH);
$sip = self::getLong($buffer, 0);
if ($ip < $sip) {
$h = $m - 1;
} else {
$eip = self::getLong($buffer, 4);
if ($ip > $eip) {
$l = $m + 1;
} else {
$dataPtr = self::getLong($buffer, 8);
break;
}
}
}
//not matched just stop it here
if ($dataPtr == 0)
return NULL;
//get the data
$dataLen = (($dataPtr >> 24) & 0xFF);
$dataPtr = ($dataPtr & 0x00FFFFFF);
fseek($this->dbFileHandler, $dataPtr);
$data = fread($this->dbFileHandler, $dataLen);
return array(
'city_id' => self::getLong($data, 0),
'region' => substr($data, 4)
);
}
/**
* get the data block associated with the specifield ip with b-tree search algorithm
* @Note: not thread safe
*
* @param ip
* @return Mixed Array for NULL for any error
*/
public function btreeSearch($ip) {
if (is_string($ip))
$ip = self::safeIp2long($ip);
//check and load the header
if ($this->HeaderSip == NULL) {
//check and open the original db file
if ($this->dbFileHandler == NULL) {
$this->dbFileHandler = fopen($this->dbFile, 'r');
if ($this->dbFileHandler == false) {
throw new Exception("Fail to open the db file {$this->dbFile}");
}
}
fseek($this->dbFileHandler, 8);
$buffer = fread($this->dbFileHandler, TOTAL_HEADER_LENGTH);
//fill the header
$idx = 0;
$this->HeaderSip = array();
$this->HeaderPtr = array();
for ($i = 0; $i < TOTAL_HEADER_LENGTH; $i += 8) {
$startIp = self::getLong($buffer, $i);
$dataPtr = self::getLong($buffer, $i + 4);
if ($dataPtr == 0)
break;
$this->HeaderSip[] = $startIp;
$this->HeaderPtr[] = $dataPtr;
$idx++;
}
$this->headerLen = $idx;
}
//1. define the index block with the binary search
$l = 0;
$h = $this->headerLen;
$sptr = 0;
$eptr = 0;
while ($l <= $h) {
$m = (($l + $h) >> 1);
//perfetc matched, just return it
if ($ip == $this->HeaderSip[$m]) {
if ($m > 0) {
$sptr = $this->HeaderPtr[$m - 1];
$eptr = $this->HeaderPtr[$m];
} else {
$sptr = $this->HeaderPtr[$m];
$eptr = $this->HeaderPtr[$m + 1];
}
break;
}
//less then the middle value
if ($ip < $this->HeaderSip[$m]) {
if ($m == 0) {
$sptr = $this->HeaderPtr[$m];
$eptr = $this->HeaderPtr[$m + 1];
break;
} else if ($ip > $this->HeaderSip[$m - 1]) {
$sptr = $this->HeaderPtr[$m - 1];
$eptr = $this->HeaderPtr[$m];
break;
}
$h = $m - 1;
} else {
if ($m == $this->headerLen - 1) {
$sptr = $this->HeaderPtr[$m - 1];
$eptr = $this->HeaderPtr[$m];
break;
} else if ($ip <= $this->HeaderSip[$m + 1]) {
$sptr = $this->HeaderPtr[$m];
$eptr = $this->HeaderPtr[$m + 1];
break;
}
$l = $m + 1;
}
}
//match nothing just stop it
if ($sptr == 0)
return NULL;
//2. search the index blocks to define the data
$blockLen = $eptr - $sptr;
fseek($this->dbFileHandler, $sptr);
$index = fread($this->dbFileHandler, $blockLen + INDEX_BLOCK_LENGTH);
$dataptr = 0;
$l = 0;
$h = $blockLen / INDEX_BLOCK_LENGTH;
while ($l <= $h) {
$m = (($l + $h) >> 1);
$p = (int) ($m * INDEX_BLOCK_LENGTH);
$sip = self::getLong($index, $p);
if ($ip < $sip) {
$h = $m - 1;
} else {
$eip = self::getLong($index, $p + 4);
if ($ip > $eip) {
$l = $m + 1;
} else {
$dataptr = self::getLong($index, $p + 8);
break;
}
}
}
//not matched
if ($dataptr == 0) {
return NULL;
}
//3. get the data
$dataLen = (($dataptr >> 24) & 0xFF);
$dataPtr = ($dataptr & 0x00FFFFFF);
fseek($this->dbFileHandler, $dataPtr);
$data = fread($this->dbFileHandler, $dataLen);
return array(
'city_id' => self::getLong($data, 0),
'region' => substr($data, 4)
);
}
/**
* safe self::safeIp2long function
*
* @param ip
* */
public static function safeIp2long($ip) {
$ip = ip2long($ip);
// convert signed int to unsigned int if on 32 bit operating system
if ($ip < 0 && PHP_INT_SIZE == 4) {
$ip = sprintf("%u", $ip);
}
return $ip;
}
/**
* read a long from a byte buffer
*
* @param b
* @param offset
*/
public static function getLong($b, $offset) {
$val = (
(ord($b[$offset++])) |
(ord($b[$offset++]) << 8) |
(ord($b[$offset++]) << 16) |
(ord($b[$offset]) << 24)
);
// convert signed int to unsigned int if on 32 bit operating system
if ($val < 0 && PHP_INT_SIZE == 4) {
$val = sprintf("%u", $val);
}
return $val;
}
/**
* destruct method, resource destroy
*/
public function __destruct() {
if ($this->dbFileHandler != NULL) {
fclose($this->dbFileHandler);
}
$this->dbBinStr = NULL;
$this->HeaderSip = NULL;
$this->HeaderPtr = NULL;
}
}

78
extend/library/News.php Normal file
View File

@ -0,0 +1,78 @@
<?php
namespace library;
use think\Db;
use think\Log;
/**
* 微信图文处理器
*
* @author Anyon <zoujingli@qq.com>
* @date 2016/03/15 17:28
*/
class News {
/**
* 通过图文ID读取图文信息
* @param int $id 本地图文ID
* @param array $where 额外的查询条件
* @return array
*/
static public function get($id, $where = []) {
$data = Db::table('wechat_news')->where('id', $id)->where($where)->find();
$article_ids = explode(',', $data['article_id']);
$articles = Db::table('wechat_news_article')->where('id', 'in', $article_ids)->select();
$data['articles'] = array();
foreach ($article_ids as $article_id) {
foreach ($articles as $article) {
if (intval($article['id']) === intval($article_id)) {
unset($article['create_by'], $article['create_at']);
$data['articles'][] = $article;
}
}
}
unset($articles);
return $data;
}
/**
* 上传图片永久素材
* @param string $appid 公众号APPID
* @param string $local_url 文件URL地址
* @param string $type 文件类型
* @param bool $is_video 是否为视频文件
* @param array $video_info 视频信息
* @return string|null
*/
static public function uploadMedia($appid, $local_url = '', $type = 'image', $is_video = false, $video_info = array()) {
# 检测文件上否已经上传过了
$md5 = md5($local_url);
$wechat = &load_wechat('media', $appid);
$map = ['md5' => $md5, 'appid' => $wechat->appid];
if (($result = Db::table('wechat_news_media')->where($map)->find()) && !empty($result)) {
return $result['media_id'];
}
# 下载临时文件到本地
$filename = ROOT_PATH . 'public/static/upload/wechat/' . join('/', str_split($md5, 16)) . '.' . pathinfo($local_url, PATHINFO_EXTENSION);
if (!file_exists($filename) || !is_file($filename)) {
!is_dir(dirname($filename)) && mkdir(dirname($filename), 0755, TRUE);
file_put_contents($filename, file_get_contents($local_url));
}
# 上传图片素材
$result = $wechat->uploadForeverMedia(array('media' => "@{$filename}"), $type, $is_video, $video_info);
unlink($filename);
if (FALSE !== $result) {
$data = ['appid' => $wechat->appid, 'md5' => $md5, 'type' => $type];
$data['media_id'] = $result['media_id'];
isset($result['url']) && $data['media_url'] = $result['url'];
$data['local_url'] = $local_url;
if (false !== Db::table('wechat_news_media')->insert($data)) {
return $data['media_id'];
}
}
Log::error("素材上传失败,请稍后再试!{$wechat->errMsg}[{$wechat->errCode}]");
return NULL;
}
}

128
extend/library/Node.php Normal file
View File

@ -0,0 +1,128 @@
<?php
namespace library;
/**
* 代码节点读取工具
*
* @author shaobo <luoshaobo@cuci.cc>
* @date 2016-10-21
*/
class Node {
/**
* 获取所有PHP文件
* @param string $path
* @param array $data
* @return array
*/
static public function getTree($path, $data = []) {
foreach (scandir($path) as $dir) {
if ($dir[0] === '.') {
continue;
}
$tmp = realpath($path . DIRECTORY_SEPARATOR . $dir);
if ($tmp && (is_dir($tmp) || pathinfo($tmp, PATHINFO_EXTENSION) === 'php')) {
is_dir($tmp) ? $data = array_merge($data, self::getTree($tmp)) : $data[] = $tmp;
}
}
return $data;
}
/**
* 处理类继承关系
* @param array $data
* @param string $class
* @param array $params
*/
static public function setSubClass(&$data, $class, &$params) {
foreach ($data as $key => &$value) {
if (isset($value['extends']) && $value['extends'] === $class) {
$value['attribute'] = array_merge($params['attribute'], $value['attribute']);
$value['method'] = array_merge($params['method'], $value['method']);
array_unique($value['method']);
array_unique($value['attribute']);
self::setSubClass($data, $key, $value);
}
}
}
/**
* 获取节点数据
* @return array
*/
static public function getNodeArrayTree() {
$list = self::getTree(ROOT_PATH);
$data = [];
$dirspace = [];
foreach ($list as $file) {
$content = file_get_contents($file);
// 解析空间及名称
preg_match("|namespace\s*(.*?)\s*;.*?class\s*(\w+)\s*|is", $content, $matches);
if (count($matches) > 1) {
$name = "{$matches[1]}\\{$matches[2]}";
$dir = dirname($file);
$class = ['method' => [], 'attribute' => [], 'namespace' => $matches[1], 'classname' => $matches[2]];
$dirspace[$dir] = $matches[1];
$class['dir'] = $dir;
// 解析类方法
preg_match_all("|public\s*function\s*(\w+)\s*\(|is", $content, $matches);
if (!empty($matches[1])) {
foreach ($matches[1] as $v) {
!in_array($v, ['_initialize', '__construct']) && $class['method'][] = $v;
}
}
// 解析简单的类属性
preg_match_all("|public\s*\\$(\w+)\s*=\s*(\w+)\s*;|is", $content, $matches);
if (!empty($matches[1]) && !empty($matches[2])) {
foreach ($matches[1] as $k => $v) {
$class['attribute'][$v] = $matches[2][$k];
}
}
// 类继承分析
preg_match("|extends\s*(\w+)\s*\{|is", $content, $matches);
if (!empty($matches[1])) {
// 直接继承
if ($matches[1][0] === '\\') {
$class['extends'] = $matches[1];
break;
}
// use 继承
if (preg_match_all("|use\s*([\w\\\]*)\s*\;|is", $content, $use) && !empty($use[1])) {
foreach ($use[1] as $c) {
$attr = explode('\\', $c);
if ($matches[1] === end($attr)) {
$class['extends'] = $c;
break;
}
}
}
// 同空间继续,需要修复
empty($class['extends']) && ($class['extends'] = '?' . $matches[1]);
}
$data[$name] = $class;
}
}
// 命名空间修复
foreach ($data as &$vo) {
if (!empty($vo['extends']) && $vo['extends'][0] === '?' && isset($dirspace[$vo['dir']])) {
$vo['extends'] = $dirspace[$vo['dir']] . '\\' . trim($vo['extends'], '?');
}
}
// 类继续方法参数合并
foreach ($data as $key => $value) {
empty($value['extends']) && self::setSubClass($data, $key, $value);
}
// 过滤掉非控制器的域名
foreach ($data as $k => &$v) {
if (!preg_match('/app.*?controller/', $k)) {
unset($data[$k]);
continue;
}
//获取模块名
$v['module'] = substr(str_replace("app\\", "", $k), 0, strpos(str_replace("app\\", "", $k), "\\"));
}
return $data;
}
}

3239
extend/library/QRcode.php Normal file

File diff suppressed because it is too large Load Diff

79
extend/library/Sms.php Normal file
View File

@ -0,0 +1,79 @@
<?php
namespace library;
use think\Db;
use think\Log;
/**
* 助通短信接口旧版API
*
* @package library
* @author Anyon <zoujingli@qq.com>
* @date 2016/11/15 10:01
*/
class Sms {
/**
* 接口URI地址
* @var string
*/
protected $uri = 'http://www.ztsms.cn:8800/sendSms.do';
/**
* 短信内容
* @var string
*/
protected $content;
/**
* 发送短信
* @param string $mobile
* @return bool
*/
public function send($mobile) {
$data = $this->createPack($mobile, $this->content);
$result = Http::get($this->uri, $data);
$data['status'] = $result;
$data['create_by'] = get_user_id();
Db::table('system_sms_history')->insert($data);
list($status, $msg) = explode(',', "{$result},-1");
if ($status === '1') {
return TRUE;
}
Log::error("给[{$mobile}]短信发送失败,{$msg}");
return FALSE;
}
/**
* 内容模板数据解析
* @param string $tpl 短信模板内容
* @param array $data 短信模板值
* @return $this
*/
public function render($tpl, $data) {
$content = !sysconf($tpl) ? $tpl : sysconf($tpl);
foreach ($data as $key => $value) {
$content = str_replace("{{$key}}", $value, $content);
}
$this->content = $content;
return $this;
}
/**
* 创建短信接口数据
* @param string $mobile
* @param string $content
* @return array
*/
protected function createPack($mobile, $content) {
$data = array();
$data['username'] = sysconf('sms_username');
$data['password'] = md5(sysconf('sms_password'));
$data['mobile'] = $mobile;
$data['content'] = $content;
$data['productid'] = sysconf('sms_product');
return $data;
}
}

158
extend/library/Tools.php Normal file
View File

@ -0,0 +1,158 @@
<?php
namespace library;
/**
* 通用工具化辅助类
*
* @version 1.0
* @author Anyon <zoujingli@qq.com>
* @date 2016/10/20 16:21
*/
class Tools {
/**
* 一维数据数组生成数据树
* @param array $list 数据列表
* @param string $id 父ID Key
* @param string $pid ID Key
* @param string $son 定义子数据Key
* @return array
*/
static public function arr2tree($list, $id = 'id', $pid = 'pid', $son = 'sub') {
$tree = $map = array();
foreach ($list as $item) {
$map[$item[$id]] = $item;
}
foreach ($list as $item) {
if (isset($item[$pid]) && isset($map[$item[$pid]])) {
$map[$item[$pid]][$son][] = &$map[$item[$id]];
} else {
$tree[] = &$map[$item[$id]];
}
}
unset($map);
return $tree;
}
/**
* 一维数据数组生成数据树
* @param array $list 数据列表
* @param string $id ID Key
* @param string $pid 父ID Key
* @param string $path
* @return array
*/
static public function arr2table($list, $id = 'id', $pid = 'pid', $path = 'path', $ppath = '') {
$_array_tree = self::arr2tree($list);
$tree = array();
foreach ($_array_tree as $_tree) {
$_tree[$path] = $ppath . '-' . $_tree['id'];
$_tree['spl'] = str_repeat("&nbsp;&nbsp;&nbsp;├ ", substr_count($ppath, '-'));
if (!isset($_tree['sub'])) {
$_tree['sub'] = array();
}
$sub = $_tree['sub'];
unset($_tree['sub']);
$tree[] = $_tree;
if (!empty($sub)) {
$sub_array = self::arr2table($sub, $id, $pid, $path, $_tree[$path]);
$tree = array_merge($tree, (Array) $sub_array);
}
}
return $tree;
}
/**
* 获取数据树子ID
* @param array $list 数据列表
* @param int $id 起始ID
* @param string $key 子Key
* @param string $pkey 父Key
* @return array
*/
static public function getArrSubIds($list, $id = 0, $key = 'id', $pkey = 'pid') {
$ids = array(intval($id));
foreach ($list as $vo) {
if (intval($vo[$pkey]) > 0 && intval($vo[$pkey]) == intval($id)) {
$ids = array_merge($ids, self::getArrSubIds($list, intval($vo[$key]), $key, $pkey));
}
}
return $ids;
}
/**
* 一维数据数组生成数据树(节点)
* @param array $_array_tree 数据列表
* @param string $node 节点
* @param string $pnode 父节点
* @param string $path
* @param string $ppath
* @return array
*/
static public function node2table($_array_tree, $node = 'node', $pnode = 'pnode', $path = "id", $ppath = '') {
$tree = array();
foreach ($_array_tree as $_tree) {
$_tree[$path . "_node"] = $ppath . '-' . $_tree['id'];
$_tree['spl'] = str_repeat("&nbsp;&nbsp;&nbsp;├ ", substr_count($ppath, '-'));
if (!isset($_tree['sub'])) {
$_tree['sub'] = array();
}
$sub = $_tree['sub'];
unset($_tree['sub']);
$tree[] = $_tree;
if (!empty($sub)) {
$sub_array = self::node2table($sub, $node, $pnode, $path, $_tree[$path . "_node"]);
$tree = array_merge($tree, (Array) $sub_array);
}
}
return $tree;
}
/**
* 数组解析重组
* @param array $data 数据列表
* @param array $params ["分组名"=>["新字段名"=>["原字段名","分割符"]]]
* @param bool $remove 移除原字段
* @return array
*/
static public function parseArrayValue(array $data, $params = [], $remove = true) {
foreach ($params as $new => $param) {
foreach ($data as $key => $value) {
foreach ($param as $newfield => $attr) {
if (is_string($attr)) {
$attr = [$attr, ','];
}
if ($attr[0] === $key) {
if (is_string($value)) {
foreach (explode($attr[1], $value) as $k => $v) {
$data[$new][$k][$newfield] = $v;
}
}
if ($remove) {
unset($data[$key]);
}
}
}
}
}
return $data;
}
/**
* 多维数组去重
* @param array $data
* @return array
*/
static public function uniqueArray(array $data) {
foreach ($data as &$v) {
$v = json_encode($v);
}
$data = array_unique($data);
foreach ($data as &$v) {
$v = json_decode($v, true);
}
return $data;
}
}

Binary file not shown.

View File

@ -0,0 +1,149 @@
<?php
return array(
'hqx' => array('application/mac-binhex40', 'application/mac-binhex', 'application/x-binhex40', 'application/x-mac-binhex40'),
'cpt' => 'application/mac-compactpro',
'csv' => array('text/x-comma-separated-values', 'text/comma-separated-values', 'application/octet-stream', 'application/vnd.ms-excel', 'application/x-csv', 'text/x-csv', 'text/csv', 'application/csv', 'application/excel', 'application/vnd.msexcel', 'text/plain'),
'bin' => array('application/macbinary', 'application/mac-binary', 'application/octet-stream', 'application/x-binary', 'application/x-macbinary'),
'dms' => 'application/octet-stream',
'lha' => 'application/octet-stream',
'lzh' => 'application/octet-stream',
'exe' => array('application/octet-stream', 'application/x-msdownload'),
'class' => 'application/octet-stream',
'psd' => array('application/x-photoshop', 'image/vnd.adobe.photoshop'),
'so' => 'application/octet-stream',
'sea' => 'application/octet-stream',
'dll' => 'application/octet-stream',
'oda' => 'application/oda',
'pdf' => array('application/pdf', 'application/force-download', 'application/x-download', 'binary/octet-stream'),
'ai' => array('application/pdf', 'application/postscript'),
'eps' => 'application/postscript',
'ps' => 'application/postscript',
'smi' => 'application/smil',
'smil' => 'application/smil',
'mif' => 'application/vnd.mif',
'xls' => array('application/vnd.ms-excel', 'application/msexcel', 'application/x-msexcel', 'application/x-ms-excel', 'application/x-excel', 'application/x-dos_ms_excel', 'application/xls', 'application/x-xls', 'application/excel', 'application/download', 'application/vnd.ms-office', 'application/msword'),
'ppt' => array('application/powerpoint', 'application/vnd.ms-powerpoint', 'application/vnd.ms-office', 'application/msword'),
'pptx' => array('application/vnd.openxmlformats-officedocument.presentationml.presentation', 'application/x-zip', 'application/zip'),
'wbxml' => 'application/wbxml',
'wmlc' => 'application/wmlc',
'dcr' => 'application/x-director',
'dir' => 'application/x-director',
'dxr' => 'application/x-director',
'dvi' => 'application/x-dvi',
'gtar' => 'application/x-gtar',
'gz' => 'application/x-gzip',
'gzip' => 'application/x-gzip',
'php' => array('application/x-httpd-php', 'application/php', 'application/x-php', 'text/php', 'text/x-php', 'application/x-httpd-php-source'),
'php4' => 'application/x-httpd-php',
'php3' => 'application/x-httpd-php',
'phtml' => 'application/x-httpd-php',
'phps' => 'application/x-httpd-php-source',
'js' => array('application/x-javascript', 'text/plain'),
'swf' => 'application/x-shockwave-flash',
'sit' => 'application/x-stuffit',
'tar' => 'application/x-tar',
'tgz' => array('application/x-tar', 'application/x-gzip-compressed'),
'z' => 'application/x-compress',
'xhtml' => 'application/xhtml+xml',
'xht' => 'application/xhtml+xml',
'zip' => array('application/x-zip', 'application/zip', 'application/x-zip-compressed', 'application/s-compressed', 'multipart/x-zip'),
'rar' => array('application/x-rar', 'application/rar', 'application/x-rar-compressed'),
'mid' => 'audio/midi',
'midi' => 'audio/midi',
'mpga' => 'audio/mpeg',
'mp2' => 'audio/mpeg',
'mp3' => array('audio/mpeg', 'audio/mpg', 'audio/mpeg3', 'audio/mp3'),
'aif' => array('audio/x-aiff', 'audio/aiff'),
'aiff' => array('audio/x-aiff', 'audio/aiff'),
'aifc' => 'audio/x-aiff',
'ram' => 'audio/x-pn-realaudio',
'rm' => 'audio/x-pn-realaudio',
'rpm' => 'audio/x-pn-realaudio-plugin',
'ra' => 'audio/x-realaudio',
'rv' => 'video/vnd.rn-realvideo',
'wav' => array('audio/x-wav', 'audio/wave', 'audio/wav'),
'bmp' => array('image/bmp', 'image/x-bmp', 'image/x-bitmap', 'image/x-xbitmap', 'image/x-win-bitmap', 'image/x-windows-bmp', 'image/ms-bmp', 'image/x-ms-bmp', 'application/bmp', 'application/x-bmp', 'application/x-win-bitmap'),
'gif' => 'image/gif',
'jpeg' => array('image/jpeg', 'image/pjpeg'),
'jpg' => array('image/jpeg', 'image/pjpeg'),
'jpe' => array('image/jpeg', 'image/pjpeg'),
'png' => array('image/png', 'image/x-png'),
'tiff' => 'image/tiff',
'tif' => 'image/tiff',
'css' => array('text/css', 'text/plain'),
'html' => array('text/html', 'text/plain'),
'htm' => array('text/html', 'text/plain'),
'shtml' => array('text/html', 'text/plain'),
'txt' => 'text/plain',
'text' => 'text/plain',
'log' => array('text/plain', 'text/x-log'),
'rtx' => 'text/richtext',
'rtf' => 'text/rtf',
'xml' => array('application/xml', 'text/xml', 'text/plain'),
'xsl' => array('application/xml', 'text/xsl', 'text/xml'),
'mpeg' => 'video/mpeg',
'mpg' => 'video/mpeg',
'mpe' => 'video/mpeg',
'qt' => 'video/quicktime',
'mov' => 'video/quicktime',
'avi' => array('video/x-msvideo', 'video/msvideo', 'video/avi', 'application/x-troff-msvideo'),
'movie' => 'video/x-sgi-movie',
'doc' => array('application/msword', 'application/vnd.ms-office'),
'docx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword', 'application/x-zip'),
'dot' => array('application/msword', 'application/vnd.ms-office'),
'dotx' => array('application/vnd.openxmlformats-officedocument.wordprocessingml.document', 'application/zip', 'application/msword'),
'xlsx' => array('application/vnd.openxmlformats-officedocument.spreadsheetml.sheet', 'application/zip', 'application/vnd.ms-excel', 'application/msword', 'application/x-zip'),
'word' => array('application/msword', 'application/octet-stream'),
'xl' => 'application/excel',
'eml' => 'message/rfc822',
'json' => array('application/json', 'text/json'),
'pem' => array('application/x-x509-user-cert', 'application/x-pem-file', 'application/octet-stream'),
'p10' => array('application/x-pkcs10', 'application/pkcs10'),
'p12' => 'application/x-pkcs12',
'p7a' => 'application/x-pkcs7-signature',
'p7c' => array('application/pkcs7-mime', 'application/x-pkcs7-mime'),
'p7m' => array('application/pkcs7-mime', 'application/x-pkcs7-mime'),
'p7r' => 'application/x-pkcs7-certreqresp',
'p7s' => 'application/pkcs7-signature',
'crt' => array('application/x-x509-ca-cert', 'application/x-x509-user-cert', 'application/pkix-cert'),
'crl' => array('application/pkix-crl', 'application/pkcs-crl'),
'der' => 'application/x-x509-ca-cert',
'kdb' => 'application/octet-stream',
'pgp' => 'application/pgp',
'gpg' => 'application/gpg-keys',
'sst' => 'application/octet-stream',
'csr' => 'application/octet-stream',
'rsa' => 'application/x-pkcs7',
'cer' => array('application/pkix-cert', 'application/x-x509-ca-cert'),
'3g2' => 'video/3gpp2',
'3gp' => array('video/3gp', 'video/3gpp'),
'mp4' => 'video/mp4',
'm4a' => 'audio/x-m4a',
'f4v' => 'video/mp4',
'webm' => 'video/webm',
'aac' => 'audio/x-acc',
'm4u' => 'application/vnd.mpegurl',
'm3u' => 'text/plain',
'xspf' => 'application/xspf+xml',
'vlc' => 'application/videolan',
'wmv' => array('video/x-ms-wmv', 'video/x-ms-asf'),
'au' => 'audio/x-au',
'ac3' => 'audio/ac3',
'flac' => 'audio/x-flac',
'ogg' => 'audio/ogg',
'kmz' => array('application/vnd.google-earth.kmz', 'application/zip', 'application/x-zip'),
'kml' => array('application/vnd.google-earth.kml+xml', 'application/xml', 'text/xml'),
'ics' => 'text/calendar',
'ical' => 'text/calendar',
'zsh' => 'text/x-scriptzsh',
'7zip' => array('application/x-compressed', 'application/x-zip-compressed', 'application/zip', 'multipart/x-zip'),
'cdr' => array('application/cdr', 'application/coreldraw', 'application/x-cdr', 'application/x-coreldraw', 'image/cdr', 'image/x-cdr', 'zz-application/zz-winassoc-cdr'),
'wma' => array('audio/x-ms-wma', 'video/x-ms-asf'),
'jar' => array('application/java-archive', 'application/x-java-application', 'application/x-jar', 'application/x-compressed'),
'svg' => array('image/svg+xml', 'application/xml', 'text/xml'),
'vcf' => 'text/x-vcard',
'srt' => array('text/srt', 'text/plain'),
'vtt' => array('text/vtt', 'text/plain'),
'ico' => array('image/x-icon', 'image/x-ico', 'image/vnd.microsoft.icon'),
);