記一次企業(yè)微信jssdk的使用

背景

為某化妝品企業(yè)的柜臺推銷員提供與客戶交流的企業(yè)微信小應(yīng)用杈帐,可以分享自己的名片桑阶,與自己的客戶發(fā)起會話并發(fā)送素材庫中的文章和新聞唆樊。同樣可以在文章詳情頁將當前文章分享給微信好友霜运。

引入jssdk并預(yù)設(shè)一些全局變量

<script src="https://res.wx.qq.com/open/js/jweixin-1.2.0.js"></script>

<script>
    (function(win) {
      var ua = navigator.userAgent;

      win.isIOS = /iPhone/i.test(ua);
      win.isAndroid = /Android/i.test(ua);
      win.isWexin = /MicroMessenger/i.test(ua);
      win.isWxWork = /wxwork/i.test(ua);

      // 企業(yè)微信的userAgent為:wxwork 不是WxWork
    })(window);
</script>

第一步:換取code脾歇,使用code換取accessToken和userId

注意要點:
/**
 * 微信網(wǎng)頁授權(quán)
 * getAccessToken() 見名知意,用于獲取accessToken
 * tools.unparam() 用戶將url的參數(shù)解析為json格式
 */
async function weixinAuth(fn) {
  if (getAccessToken() || !window.isWexin || !window.isWxWork) return;
  const params = tools.unparam(location.href);

  if (params.code && params.state === 'weixinAuthorize') {
    const res = await axios.get(`/app/index/auth`, {
      params: {
        code: params.code,
      },
    });

    if (res.fail) return;
    if (res.accessToken) {
      setWxInfo(res);
      fn && fn();
    }

    return;
  }
  delete params.code;
  delete params.state;
  let redirect_uri = location.href.split('?')[0];

  redirect_uri += tools.param(params);
  let authParams = {
    redirect_uri,
    appid: config.appId,
    scope: 'snsapi_userinfo',
    response_type: 'code',
    state: 'weixinAuthorize',
  };

  authParams = tools.param(authParams);

  location.replace(
    `https://open.weixin.qq.com/connect/oauth2/authorize${authParams}#wechat_redirect`,
  );
}

第二步:初始化微信SDK

思路:

  1. 將當前url傳給后端拿到配置參數(shù)
  2. 將拿到的參數(shù)使用wx.config初始化
  3. 后續(xù)的操作需要在wx.ready中調(diào)用

注意:

  1. 當前網(wǎng)頁的URL淘捡, 不包含#及其后面部分
  2. debug為true藕各,在微信中調(diào)試時,會alert結(jié)果
import axios from 'axios';
const JSAPILIST = [
  'getCurExternalContact',
  'getContext',
  'sendChatMessage',
  'selectExternalContact',
  'openEnterpriseChat',
  'onMenuShareTimeline',
  'onMenuShareAppMessage',
  'previewImage',
  'chooseImage',
  'uploadImage',
  'downloadImage',
  'getNetworkType',
  'openLocation',
  'getLocation',
  'hideOptionMenu',
  'showOptionMenu',
  'hideMenuItems',
  'showMenuItems',
  'hideAllNonBaseMenuItem',
  'showAllNonBaseMenuItem',
  'closeWindow',
  'scanQRCode',
  'previewFile',
];

/**
 * 初始化微信SDK
 */
function init(success, fail) {
  if (!window.isWexin || !window.isWxWork) {
    fail && fail();
    return;
  }

  axios
    .get('/app/index/config/corp', {
      params: {
        url: location.href.split('#')[0], // 當前網(wǎng)頁的URL焦除, 不包含#及其后面部分
      },
    })
    .then(res => {
      console.log(res);

      if (!res.signature) {
        fail && fail();
        return;
      }

      wx.config({
        beta: true,
        debug: false,
        appId: res.corpID,
        timestamp: +res.timestamp,
        nonceStr: res.nonceStr,
        signature: res.signature,
        jsApiList: JSAPILIST,
      });

      wx.ready(function() {
        success && success();
      });
      wx.error(function(res) {
        console.log(res, 'error - config');
      });
    });
}

第三步:注入應(yīng)用的身份與權(quán)限

并不是所有的接口都需要注入應(yīng)用身份激况,例如:getLocation,chooseImage等
但是在企業(yè)微信中拉取聯(lián)系人或者打開會話時需要先注入應(yīng)用膘魄,例如wx.invoke('sendChatMessage', ...)

注意:

1.【初始化微信SDK】和【注入應(yīng)用的身份與權(quán)限】簽名算法完全一樣乌逐,但是jsapi_ticket的獲取方法不一樣

  1. 調(diào)用wx.agentConfig之前,必須確保先成功調(diào)用wx.config. 注意:從企業(yè)微信3.0.24及以后版本(可通過企業(yè)微信UA判斷版本號)创葡,無須先調(diào)用wx.config浙踢,可直接wx.agentConfig.

**** 在微信開發(fā)者工具中提示wx.agentConfig is not a function 意味著不支持企業(yè)微信接口,需要真機測試 ****

/**
 * 注入應(yīng)用的身份與權(quán)限
 */
async function initAgent(success, fail) {
  if (!window.isWexin) {
    fail && fail();
    return;
  }
  init(
    () => {
      axios
        .get('/app/index/config/app', {
          params: {
            url: location.href.split('#')[0], // 當前網(wǎng)頁的URL灿渴, 不包含#及其后面部分
          },
        })
        .then(res => {
          if (res.fail || !res.signature) {
            fail && fail();
            return;
          }
          let configData = {
            corpid: res.corpID,
            agentid: res.agentId,
            timestamp: +res.timestamp,
            nonceStr: res.nonceStr,
            signature: res.signature,
            jsApiList: JSAPILIST,
            success: () => {
              success && success();
            },
            fail: function(res) {
              console.log(res, 'fail - agentConfig');
              if (res.errMsg.indexOf('function not exist') > -1) {
                console.log('版本過低請升級', 'error');
              }
            },
          };
          wx.agentConfig(configData);
        });
    },
    () => {
      fail && fail();
    },
  );
}

怎么使用

注意:

使用的接口都要在jsApiList中先聲明

/**
 * 隱藏右上角菜單
 */
function hideOptionMenu() {
  return new Promise(resolve => {
    init(() => {
      wx.hideOptionMenu();
    });
  });
}

/**
 * 獲取經(jīng)緯度
 */
function getLocation() {
  const defOptions = {
    city: '上海市',
  };

  return new Promise(resolve => {
    init(
      () => {
        wx.getLocation({
          type: 'gcj02',
          success: res => {
            let { longitude, latitude } = res;
            console.log('getLocation:', res);
            resolve(res);
          },
          fail: () => {
            Message({
              message:
                '獲取位置失敗洛波,請開啟并授權(quán)微信定位呐芥,此次將使用默認的位置',
              type: 'error',
              onClose() {
                resolve(defOptions);
              },
            });
          },
          cancel: () => {
            resolve(defOptions);
          },
        });
      },
      () => {
        resolve(defOptions);
      },
    );
  });
}

使用企業(yè)微信中的特定接口

/**
 * 打開外部聯(lián)系人
 */
function selectExternalContact() {
  return new Promise(resolve => {
    initAgent(
      () => {
        wx.invoke(
          'selectExternalContact',
          {
            filterType: 0, //0表示展示全部外部聯(lián)系人列表,1表示僅展示未曾選擇過的外部聯(lián)系人奋岁。
          },
          function(res) {
            console.log(res, 'selectExternalContact');
            if (res.err_msg == 'selectExternalContact:ok') {
              resolve(res.userIds);
            } else {
              resolve([]);
            }
          },
        );
      },
      () => {
        console.log('err');
        resolve([]);
      },
    );
  });
}

/**
 * 打開會話
 * @param {*} userIds
 */
function openChat(userIds) {
  let groupName = userIds.length > 1 ? '討論組' : '';

  let externalUserIds = userIds.join(';');

  return new Promise(resolve => {
    initAgent(
      () => {
        wx.openEnterpriseChat({
          // 注意:參與會話的外部聯(lián)系人列表思瘟,格式為userId1;userId2;…,用分號隔開闻伶。
          externalUserIds,
          // 必填滨攻,會話名稱。單聊時該參數(shù)傳入空字符串""即可蓝翰。
          groupName,
          success: function(res) {
            // 回調(diào)
            resolve(res);
          },
          fail: function(res) {
            if (res.errMsg.indexOf('function not exist') > -1) {
              alert('版本過低請升級');
            }
          },
        });
      },
      () => {},
    );
  });
}
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末光绕,一起剝皮案震驚了整個濱河市,隨后出現(xiàn)的幾起案子畜份,更是在濱河造成了極大的恐慌诞帐,老刑警劉巖,帶你破解...
    沈念sama閱讀 211,376評論 6 491
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件爆雹,死亡現(xiàn)場離奇詭異停蕉,居然都是意外死亡,警方通過查閱死者的電腦和手機钙态,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,126評論 2 385
  • 文/潘曉璐 我一進店門慧起,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人册倒,你說我怎么就攤上這事蚓挤。” “怎么了驻子?”我有些...
    開封第一講書人閱讀 156,966評論 0 347
  • 文/不壞的土叔 我叫張陵灿意,是天一觀的道長。 經(jīng)常有香客問我崇呵,道長缤剧,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 56,432評論 1 283
  • 正文 為了忘掉前任演熟,我火速辦了婚禮鞭执,結(jié)果婚禮上司顿,老公的妹妹穿的比我還像新娘芒粹。我一直安慰自己,他們只是感情好大溜,可當我...
    茶點故事閱讀 65,519評論 6 385
  • 文/花漫 我一把揭開白布化漆。 她就那樣靜靜地躺著,像睡著了一般钦奋。 火紅的嫁衣襯著肌膚如雪座云。 梳的紋絲不亂的頭發(fā)上疙赠,一...
    開封第一講書人閱讀 49,792評論 1 290
  • 那天,我揣著相機與錄音朦拖,去河邊找鬼圃阳。 笑死,一個胖子當著我的面吹牛璧帝,可吹牛的內(nèi)容都是我干的捍岳。 我是一名探鬼主播,決...
    沈念sama閱讀 38,933評論 3 406
  • 文/蒼蘭香墨 我猛地睜開眼睬隶,長吁一口氣:“原來是場噩夢啊……” “哼锣夹!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起苏潜,我...
    開封第一講書人閱讀 37,701評論 0 266
  • 序言:老撾萬榮一對情侶失蹤银萍,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后恤左,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體贴唇,經(jīng)...
    沈念sama閱讀 44,143評論 1 303
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 36,488評論 2 327
  • 正文 我和宋清朗相戀三年飞袋,在試婚紗的時候發(fā)現(xiàn)自己被綠了滤蝠。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 38,626評論 1 340
  • 序言:一個原本活蹦亂跳的男人離奇死亡授嘀,死狀恐怖物咳,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情蹄皱,我是刑警寧澤览闰,帶...
    沈念sama閱讀 34,292評論 4 329
  • 正文 年R本政府宣布,位于F島的核電站巷折,受9級特大地震影響压鉴,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜锻拘,卻給世界環(huán)境...
    茶點故事閱讀 39,896評論 3 313
  • 文/蒙蒙 一油吭、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧署拟,春花似錦婉宰、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,742評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至馒铃,卻和暖如春蟹腾,著一層夾襖步出監(jiān)牢的瞬間痕惋,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 31,977評論 1 265
  • 我被黑心中介騙來泰國打工娃殖, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留值戳,地道東北人。 一個月前我還...
    沈念sama閱讀 46,324評論 2 360
  • 正文 我出身青樓炉爆,卻偏偏與公主長得像述寡,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子叶洞,可洞房花燭夜當晚...
    茶點故事閱讀 43,494評論 2 348

推薦閱讀更多精彩內(nèi)容