flutter_webview 鍵盤彈出問題

Flutter_Webview 鍵盤彈出問題


2019 0815 更新

截止8.15肮帐,WebView_flutter 又多出許多坑了纷责。。臣樱。


webview_flutter ^0.3.7+1 pub鏈接

webview_flutter在Android上沒有辦法彈出鍵盤,github上的issue已經(jīng)提了很久,但是官方的milestone還要到19年的十月 issue #19718,(截止發(fā)稿時已經(jīng)有一個PR到master分支了,但是stable分支的同學(xué)可能就還要等一哈了),但是PR的解決方案在AndroidN之前并沒有用...comment

1.來自其他同學(xué)的啟發(fā)

隱藏TextField方案,這個方案的簡單思路就是在onPageFinish時給Webview注入一段js代碼,監(jiān)聽input/textarea的focus事件,然后通過JSChannel發(fā)送給隱藏在WebView之后的TextField,通過TextField間接喚起軟鍵盤然后,通過監(jiān)聽TextField的onChange事件給input/textarea設(shè)置新的值

下面是他的JS代碼實現(xiàn):他用js監(jiān)聽某個網(wǎng)站的幾個需要彈出輸入法的element,focus事件/focusout事件

inputs = document.getElementsByClassName('search-bar');
                            header=document.getElementsByClassName('site-header');
                            header[0].style.display = 'none';
buttons = document.getElementsByClassName('icon');
                            buttons[0].focus();
                            if (inputs != null) {
                              input = inputs[0];
                              InputValue.postMessage(input.value);
                              input.addEventListener('focus', (_) => {
                                Focus.postMessage('focus');
                              }, true);
                              input.addEventListener('focusout', (_) => {
                                Focus.postMessage('focusout');
                              }, true)
                            }

JSChannel:

 javascriptChannels: Set.from(
                          [
                            // Listening for Javascript messages to get Notified of Focuschanges and the current input Value of the Textfield.
                            JavascriptChannel(
                              name: 'Focus',
                              // get notified of focus changes on the input field and open/close the Keyboard.
                              onMessageReceived: (JavascriptMessage focus) {
                                print(focus.message);
                                if (focus.message == 'focus') {
                                  FocusScope.of(context)
                                      .requestFocus(_focusNode);
                                } else if (focus.message == 'focusout') {
                                  _focusNode.unfocus();
                                }
                              },
                            ),
                            JavascriptChannel(
                              name: 'InputValue',
                              // set the value of the native input field to the one on the website to always make sure they have the same input.
                              onMessageReceived: (JavascriptMessage value) {
                                _textController.value =
                                    TextEditingValue(text: value.toString());
                              },
                            )
                          ],
                        ),

接收事件更改TextField的text,通過focusNode來喚起/隱藏 軟鍵盤

這個方案看起來很好,但是手寫監(jiān)聽所有Classname可太笨了...而且如果用戶在彈出鍵盤后手動關(guān)閉鍵盤(按軟鍵盤上的關(guān)閉按鈕),軟鍵盤就再也彈不出來了...

2.自己的方案升級

  1. 用兩個TextField交替接收事件來解決無法在手動關(guān)閉鍵盤后重新喚起的問題
  2. 注入JS監(jiān)聽所有input/textarea element,不監(jiān)聽focus/focusout事件,監(jiān)聽click事件,有幾個好處
    1. 可以獲取用戶當(dāng)前文字選擇/光標(biāo)位置
    2. 可以判斷再次點擊事件
  3. 記錄當(dāng)前focus的element,用于判斷是否需要重新喚起新的鍵盤

下面的簡單的代碼實現(xiàn):

var inputs = document.getElementsByTagName('input');
var textArea = document.getElementsByTagName('textarea');
var current;

for (var i = 0; i < inputs.length; i++) {
  console.log(i);
  inputs[i].addEventListener('click', (e) => {
    var json = {
      "funcName": "requestFocus",
      "data": {
        "initText": e.target.value,
        "selectionStart":e.target.selectionStart,
        "selectionEnd":e.target.selectionEnd
      }
    };
    json.data.refocus = (document.activeElement == current);
    
    current = e.target;
    var param = JSON.stringify(json);
    console.log(param);
    UserState.postMessage(param);
  })
  
}
for (var i = 0; i < textArea.length; i++) {
  console.log(i);
  textArea[i].addEventListener('click', (e) => {
    var json = {
      "funcName": "requestFocus",
      "data": {
        "initText": e.target.value,
        "selectionStart":e.target.selectionStart,
        "selectionEnd":e.target.selectionEnd
      }
    };
    
    json.data.refocus = (document.activeElement == current);
    
    current = e.target;
    var param = JSON.stringify(json);
    console.log(param);
    
    UserState.postMessage(param);
  })
};
console.log('===JS CODE INJECTED INTO MY WEBVIEW===');

UserState是定義好的jsChannel,接收一個jsonString形式的參數(shù),data.initText是初始文字,selectEnd selectStart是文字選擇位置,refocus是判斷是否重新點擊focus的Element的標(biāo)記,element被點擊時:

*  先判斷是不是refocus,發(fā)送給channel

接下來要處理JSChannel收到的數(shù)據(jù)了,其中showAndroidKeyboard是自己編寫的一個PlatformChannel,用來顯示軟鍵盤,代碼還可以簡化,我這里就不寫了,有改進(jìn)的請和作者聯(lián)系…也是在踩坑中.

  • 關(guān)鍵是TextField交替獲取焦點,當(dāng)TextField - A獲取焦點,進(jìn)行一番編輯之后,用戶手動關(guān)閉了軟鍵盤,這個時候FocusScop.of(context).requestFocus(focusNodeA)是無法喚起鍵盤的,所以需要另一個TextField-B來請求焦點,
  • showAndroidKeyboard()是為了在某些情況下備用focusNode也沒獲取焦點,需要我們手動喚起焦點
  • 隱藏鍵盤的事件還沒有很好的解決方案
bool refocus = data['refocus'] as bool;
    if (_focusNode2.hasFocus) {
      if (!refocus) FocusScope.of(context).requestFocus(_focusNode1);
      //FocusScope.of(context).requestFocus(_focusNode);
      if (!_focusNode1.hasFocus) {
        //hideAndroidKeyboard();
        showAndroidKeyboard();
      }
      //把初始文本設(shè)置給隱藏TextField
      String initText = data['initText'];
      var selectionStart = data['selectionStart'];
      var selectionEnd = data['selectionEnd'];

      int end = initText.length;
      int start = initText.length;
      if (selectionEnd is int) {
        end = selectionEnd;
      }
      if (selectionStart is int) {
        start = selectionEnd;
      }
      print(selectionEnd);
      textController1.value = TextEditingValue(
        text: initText,
        selection: TextSelection(baseOffset: start, extentOffset: end),
      );
      //TextField請求顯示鍵盤
      FocusScope.of(context).requestFocus(_focusNode1);
    } else {
      if (!refocus) FocusScope.of(context).requestFocus(_focusNode2);
      //FocusScope.of(context).requestFocus(_focusNode);
      if (!_focusNode2.hasFocus) {
        //hideAndroidKeyboard();
        showAndroidKeyboard();
      }
      //把初始文本設(shè)置給隱藏TextField
      String initText = data['initText'];
      var selectionStart = data['selectionStart'];
      var selectionEnd = data['selectionEnd'];

      int end = initText.length;
      int start = initText.length;
      if (selectionEnd is int) {
        end = selectionEnd;
      }
      if (selectionStart is int) {
        start = selectionEnd;
      }
      print(selectionEnd);
      textController2.value = TextEditingValue(
        text: initText,
        selection: TextSelection(baseOffset: start, extentOffset: end),
      );
      //TextField請求顯示鍵盤
      FocusScope.of(context).requestFocus(_focusNode2);
    }

webview后面隱藏的TextField

return Stack(
                  children: <Widget>[
                    TextField(
                      autofocus: false,
                      focusNode: _focusNode1,
                      controller: textController1,
                      onChanged: (text) {
                        controller.evaluateJavascript('''
                         if(current != null){
                          current.value = '${textController1.text}';
                          current.selectionStart = ${textController1.selection.start};
                          current.selectionEnd = ${textController1.selection.end};
                          current.dispatchEvent(new Event('input'));
                         }
                        ''');
                      },
                      onSubmitted: (text) {
                        controller.evaluateJavascript('''
                        if(current != null)
                          current.submit();
                        ''');
                        _focusNode1.unfocus();
                      },
                    ),
                    TextField(
                      autofocus: false,
                      focusNode: _focusNode2,
                      controller: textController2,
                      onChanged: (text) {
                        controller.evaluateJavascript('''
                         if(current != null){
                          current.value = '${textController2.text}';
                          current.selectionStart = ${textController2.selection.start};
                          current.selectionEnd = ${textController2.selection.end};
                          current.dispatchEvent(new Event('input'));
                         }
                        ''');
                      },
                      onSubmitted: (text) {
                        controller.evaluateJavascript('''
                        if(current != null)
                          current.submit();
                        ''');
                        _focusNode2.unfocus();
                      },
                    ),
                    WebView(....)
                  ]
  );
  • 在TextField的onChange中改編當(dāng)前focus的Element的text/selection,然后發(fā)送一個input事件來觸發(fā)Element改變current.dispatchEvent(new Event('input'));,這里的大家應(yīng)該都很好理解了.

不得不說谷歌太坑了,webview竟然有這樣的大缺陷,不過也沒辦法畢竟版本號還沒到1.0.0呢…本文的方法只是一個臨時的解決方案,比如點擊空白隱藏軟鍵盤等功能還沒實現(xiàn),只使用一些簡單的文本輸入的webview還是可以的,還有一些input標(biāo)簽作為按鈕的可能還要手動隱藏下鍵盤,以上.

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末靶擦,一起剝皮案震驚了整個濱河市,隨后出現(xiàn)的幾起案子雇毫,更是在濱河造成了極大的恐慌玄捕,老刑警劉巖,帶你破解...
    沈念sama閱讀 206,214評論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件棚放,死亡現(xiàn)場離奇詭異枚粘,居然都是意外死亡,警方通過查閱死者的電腦和手機(jī)飘蚯,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,307評論 2 382
  • 文/潘曉璐 我一進(jìn)店門馍迄,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人局骤,你說我怎么就攤上這事攀圈。” “怎么了峦甩?”我有些...
    開封第一講書人閱讀 152,543評論 0 341
  • 文/不壞的土叔 我叫張陵赘来,是天一觀的道長。 經(jīng)常有香客問我凯傲,道長犬辰,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 55,221評論 1 279
  • 正文 為了忘掉前任泣洞,我火速辦了婚禮忧风,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘球凰。我一直安慰自己狮腿,他們只是感情好,可當(dāng)我...
    茶點故事閱讀 64,224評論 5 371
  • 文/花漫 我一把揭開白布呕诉。 她就那樣靜靜地躺著缘厢,像睡著了一般。 火紅的嫁衣襯著肌膚如雪甩挫。 梳的紋絲不亂的頭發(fā)上贴硫,一...
    開封第一講書人閱讀 49,007評論 1 284
  • 那天,我揣著相機(jī)與錄音,去河邊找鬼英遭。 笑死间护,一個胖子當(dāng)著我的面吹牛,可吹牛的內(nèi)容都是我干的挖诸。 我是一名探鬼主播汁尺,決...
    沈念sama閱讀 38,313評論 3 399
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼多律!你這毒婦竟也來了痴突?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 36,956評論 0 259
  • 序言:老撾萬榮一對情侶失蹤狼荞,失蹤者是張志新(化名)和其女友劉穎辽装,沒想到半個月后,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體相味,經(jīng)...
    沈念sama閱讀 43,441評論 1 300
  • 正文 獨居荒郊野嶺守林人離奇死亡拾积,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 35,925評論 2 323
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了攻走。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片殷勘。...
    茶點故事閱讀 38,018評論 1 333
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖昔搂,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情输拇,我是刑警寧澤摘符,帶...
    沈念sama閱讀 33,685評論 4 322
  • 正文 年R本政府宣布,位于F島的核電站策吠,受9級特大地震影響逛裤,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜猴抹,卻給世界環(huán)境...
    茶點故事閱讀 39,234評論 3 307
  • 文/蒙蒙 一带族、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧蟀给,春花似錦蝙砌、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,240評論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至前普,卻和暖如春肚邢,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 31,464評論 1 261
  • 我被黑心中介騙來泰國打工骡湖, 沒想到剛下飛機(jī)就差點兒被人妖公主榨干…… 1. 我叫王不留贱纠,地道東北人。 一個月前我還...
    沈念sama閱讀 45,467評論 2 352
  • 正文 我出身青樓响蕴,卻偏偏與公主長得像并巍,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子换途,可洞房花燭夜當(dāng)晚...
    茶點故事閱讀 42,762評論 2 345

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

  • 本文轉(zhuǎn)載自wuwhs的segmentfault專欄 最近一段時間在做 H5 聊天項目懊渡,踩過其中一大坑:輸入框獲取焦...
    兔子不打地鼠打代碼閱讀 9,955評論 1 12
  • 相關(guān)知識點 移動端、 適配(兼容)军拟、 ios點擊事件300ms延遲剃执、 點擊穿透、 定位失效...... 問題&解決...
    sandisen閱讀 25,424評論 3 67
  • 轉(zhuǎn)載 1. 問題描述: 最近一段時間在做 H5 項目懈息,踩過其中一大坑:輸入框獲取焦點肾档,軟鍵盤彈起,要求輸入框吸附(...
    星空里的塵埃閱讀 651評論 0 2
  • 之前在做H5 項目辫继,踩過其中一大坑:輸入框獲取焦點怒见,軟鍵盤彈起,要求輸入框吸附(或頂)在輸入法框上姑宽。需求很明確遣耍,看...
    超級無敵可愛的閱讀 2,243評論 0 3
  • 本節(jié)介紹各種常見的瀏覽器事件。 鼠標(biāo)事件 鼠標(biāo)事件指與鼠標(biāo)相關(guān)的事件炮车,主要有以下一些舵变。 click 事件,dblc...
    許先生__閱讀 2,419評論 0 4