WebTextView.java revision d555e5dccc41174893475d484d0f202d1956c430
1/*
2 * Copyright (C) 2007 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17package android.webkit;
18
19import com.android.internal.widget.EditableInputConnection;
20
21import android.content.Context;
22import android.graphics.Canvas;
23import android.graphics.Color;
24import android.graphics.ColorFilter;
25import android.graphics.Paint;
26import android.graphics.PixelFormat;
27import android.graphics.Rect;
28import android.graphics.drawable.Drawable;
29import android.os.Bundle;
30import android.os.Handler;
31import android.os.Message;
32import android.os.ResultReceiver;
33import android.text.BoringLayout.Metrics;
34import android.text.DynamicLayout;
35import android.text.Editable;
36import android.text.InputFilter;
37import android.text.InputType;
38import android.text.Layout;
39import android.text.Selection;
40import android.text.Spannable;
41import android.text.TextPaint;
42import android.text.TextUtils;
43import android.text.method.MovementMethod;
44import android.text.method.Touch;
45import android.util.Log;
46import android.util.TypedValue;
47import android.view.Gravity;
48import android.view.KeyCharacterMap;
49import android.view.KeyEvent;
50import android.view.MotionEvent;
51import android.view.View;
52import android.view.ViewConfiguration;
53import android.view.ViewGroup;
54import android.view.inputmethod.EditorInfo;
55import android.view.inputmethod.InputConnection;
56import android.view.inputmethod.InputMethodManager;
57import android.widget.AbsoluteLayout.LayoutParams;
58import android.widget.AdapterView;
59import android.widget.ArrayAdapter;
60import android.widget.AutoCompleteTextView;
61import android.widget.TextView;
62
63import java.util.ArrayList;
64
65import junit.framework.Assert;
66
67/**
68 * WebTextView is a specialized version of EditText used by WebView
69 * to overlay html textfields (and textareas) to use our standard
70 * text editing.
71 */
72/* package */ class WebTextView extends AutoCompleteTextView
73        implements AdapterView.OnItemClickListener {
74
75    static final String LOGTAG = "webtextview";
76
77    private WebView         mWebView;
78    private boolean         mSingle;
79    private int             mWidthSpec;
80    private int             mHeightSpec;
81    private int             mNodePointer;
82    // FIXME: This is a hack for blocking unmatched key ups, in particular
83    // on the enter key.  The method for blocking unmatched key ups prevents
84    // the shift key from working properly.
85    private boolean         mGotEnterDown;
86    private int             mMaxLength;
87    // Keep track of the text before the change so we know whether we actually
88    // need to send down the DOM events.
89    private String          mPreChange;
90    private Drawable        mBackground;
91    // Variables for keeping track of the touch down, to send to the WebView
92    // when a drag starts
93    private float           mDragStartX;
94    private float           mDragStartY;
95    private long            mDragStartTime;
96    private boolean         mDragSent;
97    // True if the most recent drag event has caused either the TextView to
98    // scroll or the web page to scroll.  Gets reset after a touch down.
99    private boolean         mScrolled;
100    // Whether or not a selection change was generated from webkit.  If it was,
101    // we do not need to pass the selection back to webkit.
102    private boolean         mFromWebKit;
103    // Whether or not a selection change was generated from the WebTextView
104    // gaining focus.  If it is, we do not want to pass it to webkit.  This
105    // selection comes from the MovementMethod, but we behave differently.  If
106    // WebTextView gained focus from a touch, webkit will determine the
107    // selection.
108    private boolean         mFromFocusChange;
109    // Whether or not a selection change was generated from setInputType.  We
110    // do not want to pass this change to webkit.
111    private boolean         mFromSetInputType;
112    private boolean         mGotTouchDown;
113    // Keep track of whether a long press has happened.  Only meaningful after
114    // an ACTION_DOWN MotionEvent
115    private boolean         mHasPerformedLongClick;
116    private boolean         mInSetTextAndKeepSelection;
117    // Array to store the final character added in onTextChanged, so that its
118    // KeyEvents may be determined.
119    private char[]          mCharacter = new char[1];
120    // This is used to reset the length filter when on a textfield
121    // with no max length.
122    // FIXME: This can be replaced with TextView.NO_FILTERS if that
123    // is made public/protected.
124    private static final InputFilter[] NO_FILTERS = new InputFilter[0];
125    // For keeping track of the fact that the delete key was pressed, so
126    // we can simply pass a delete key instead of calling deleteSelection.
127    private boolean mGotDelete;
128    private int mDelSelStart;
129    private int mDelSelEnd;
130
131    // Keep in sync with native constant in
132    // external/webkit/WebKit/android/WebCoreSupport/autofill/WebAutoFill.cpp
133    /* package */ static final int FORM_NOT_AUTOFILLABLE = -1;
134
135    private boolean mAutoFillable; // Is this textview part of an autofillable form?
136    private int mQueryId;
137    private boolean mAutoFillProfileIsSet;
138    // Used to determine whether onFocusChanged was called as a result of
139    // calling remove().
140    private boolean mInsideRemove;
141    private class MyResultReceiver extends ResultReceiver {
142        @Override
143        protected void onReceiveResult(int resultCode, Bundle resultData) {
144            if (resultCode == InputMethodManager.RESULT_SHOWN
145                    && mWebView != null) {
146                mWebView.revealSelection();
147            }
148        }
149
150        /**
151         * @param handler
152         */
153        public MyResultReceiver(Handler handler) {
154            super(handler);
155        }
156    }
157    private MyResultReceiver mReceiver;
158
159    // Types used with setType.  Keep in sync with CachedInput.h
160    private static final int NORMAL_TEXT_FIELD = 0;
161    private static final int TEXT_AREA = 1;
162    private static final int PASSWORD = 2;
163    private static final int SEARCH = 3;
164    private static final int EMAIL = 4;
165    private static final int NUMBER = 5;
166    private static final int TELEPHONE = 6;
167    private static final int URL = 7;
168
169    private static final int AUTOFILL_FORM = 100;
170    private Handler mHandler;
171
172    /**
173     * Create a new WebTextView.
174     * @param   context The Context for this WebTextView.
175     * @param   webView The WebView that created this.
176     */
177    /* package */ WebTextView(Context context, WebView webView, int autoFillQueryId) {
178        super(context, null, com.android.internal.R.attr.webTextViewStyle);
179        mWebView = webView;
180        mMaxLength = -1;
181        setAutoFillable(autoFillQueryId);
182        // Turn on subpixel text, and turn off kerning, so it better matches
183        // the text in webkit.
184        TextPaint paint = getPaint();
185        int flags = paint.getFlags() & ~Paint.DEV_KERN_TEXT_FLAG
186                | Paint.SUBPIXEL_TEXT_FLAG | Paint.DITHER_FLAG;
187        paint.setFlags(flags);
188
189        // Set the text color to black, regardless of the theme.  This ensures
190        // that other applications that use embedded WebViews will properly
191        // display the text in password textfields.
192        setTextColor(DebugFlags.DRAW_WEBTEXTVIEW ? Color.RED : Color.BLACK);
193        // This helps to align the text better with the text in the web page.
194        setIncludeFontPadding(false);
195
196        mHandler = new Handler() {
197            @Override
198            public void handleMessage(Message msg) {
199                switch (msg.what) {
200                case AUTOFILL_FORM:
201                    mWebView.autoFillForm(mQueryId);
202                    break;
203                }
204            }
205        };
206        mReceiver = new MyResultReceiver(mHandler);
207    }
208
209    public void setAutoFillable(int queryId) {
210        mAutoFillable = mWebView.getSettings().getAutoFillEnabled()
211                && (queryId != FORM_NOT_AUTOFILLABLE);
212        mQueryId = queryId;
213    }
214
215    @Override
216    public boolean dispatchKeyEvent(KeyEvent event) {
217        if (event.isSystem()) {
218            return super.dispatchKeyEvent(event);
219        }
220        // Treat ACTION_DOWN and ACTION MULTIPLE the same
221        boolean down = event.getAction() != KeyEvent.ACTION_UP;
222        int keyCode = event.getKeyCode();
223
224        boolean isArrowKey = false;
225        switch(keyCode) {
226            case KeyEvent.KEYCODE_DPAD_LEFT:
227            case KeyEvent.KEYCODE_DPAD_RIGHT:
228            case KeyEvent.KEYCODE_DPAD_UP:
229            case KeyEvent.KEYCODE_DPAD_DOWN:
230                isArrowKey = true;
231                break;
232        }
233
234        if (KeyEvent.KEYCODE_TAB == keyCode) {
235            if (down) {
236                onEditorAction(EditorInfo.IME_ACTION_NEXT);
237            }
238            return true;
239        }
240        Spannable text = (Spannable) getText();
241        int oldStart = Selection.getSelectionStart(text);
242        int oldEnd = Selection.getSelectionEnd(text);
243        // Normally the delete key's dom events are sent via onTextChanged.
244        // However, if the cursor is at the beginning of the field, which
245        // includes the case where it has zero length, then the text is not
246        // changed, so send the events immediately.
247        if (KeyEvent.KEYCODE_DEL == keyCode) {
248            if (oldStart == 0 && oldEnd == 0) {
249                sendDomEvent(event);
250                return true;
251            }
252            if (down) {
253                mGotDelete = true;
254                mDelSelStart = oldStart;
255                mDelSelEnd = oldEnd;
256            }
257        }
258
259        if (mSingle && (KeyEvent.KEYCODE_ENTER == keyCode
260                    || KeyEvent.KEYCODE_NUMPAD_ENTER == keyCode)) {
261            if (isPopupShowing()) {
262                return super.dispatchKeyEvent(event);
263            }
264            if (!down) {
265                // Hide the keyboard, since the user has just submitted this
266                // form.  The submission happens thanks to the two calls
267                // to sendDomEvent.
268                InputMethodManager.getInstance(mContext)
269                        .hideSoftInputFromWindow(getWindowToken(), 0);
270                sendDomEvent(new KeyEvent(KeyEvent.ACTION_DOWN, keyCode));
271                sendDomEvent(event);
272            }
273            return super.dispatchKeyEvent(event);
274        } else if (KeyEvent.KEYCODE_DPAD_CENTER == keyCode) {
275            // Note that this handles center key and trackball.
276            if (isPopupShowing()) {
277                return super.dispatchKeyEvent(event);
278            }
279            // Center key should be passed to a potential onClick
280            if (!down) {
281                mWebView.centerKeyPressOnTextField();
282            }
283            // Pass to super to handle longpress.
284            return super.dispatchKeyEvent(event);
285        }
286
287        // Ensure there is a layout so arrow keys are handled properly.
288        if (getLayout() == null) {
289            measure(mWidthSpec, mHeightSpec);
290        }
291
292        int oldLength = text.length();
293        boolean maxedOut = mMaxLength != -1 && oldLength == mMaxLength;
294        // If we are at max length, and there is a selection rather than a
295        // cursor, we need to store the text to compare later, since the key
296        // may have changed the string.
297        String oldText;
298        if (maxedOut && oldEnd != oldStart) {
299            oldText = text.toString();
300        } else {
301            oldText = "";
302        }
303        if (super.dispatchKeyEvent(event)) {
304            // If the WebTextView handled the key it was either an alphanumeric
305            // key, a delete, or a movement within the text. All of those are
306            // ok to pass to javascript.
307
308            // UNLESS there is a max length determined by the html.  In that
309            // case, if the string was already at the max length, an
310            // alphanumeric key will be erased by the LengthFilter,
311            // so do not pass down to javascript, and instead
312            // return true.  If it is an arrow key or a delete key, we can go
313            // ahead and pass it down.
314            if (KeyEvent.KEYCODE_ENTER == keyCode
315                        || KeyEvent.KEYCODE_NUMPAD_ENTER == keyCode) {
316                // For multi-line text boxes, newlines will
317                // trigger onTextChanged for key down (which will send both
318                // key up and key down) but not key up.
319                mGotEnterDown = true;
320            }
321            if (maxedOut && !isArrowKey && keyCode != KeyEvent.KEYCODE_DEL) {
322                if (oldEnd == oldStart) {
323                    // Return true so the key gets dropped.
324                    return true;
325                } else if (!oldText.equals(getText().toString())) {
326                    // FIXME: This makes the text work properly, but it
327                    // does not pass down the key event, so it may not
328                    // work for a textfield that has the type of
329                    // behavior of GoogleSuggest.  That said, it is
330                    // unlikely that a site would combine the two in
331                    // one textfield.
332                    Spannable span = (Spannable) getText();
333                    int newStart = Selection.getSelectionStart(span);
334                    int newEnd = Selection.getSelectionEnd(span);
335                    mWebView.replaceTextfieldText(0, oldLength, span.toString(),
336                            newStart, newEnd);
337                    return true;
338                }
339            }
340            /* FIXME:
341             * In theory, we would like to send the events for the arrow keys.
342             * However, the TextView can arbitrarily change the selection (i.e.
343             * long press followed by using the trackball).  Therefore, we keep
344             * in sync with the TextView via onSelectionChanged.  If we also
345             * send the DOM event, we lose the correct selection.
346            if (isArrowKey) {
347                // Arrow key does not change the text, but we still want to send
348                // the DOM events.
349                sendDomEvent(event);
350            }
351             */
352            return true;
353        }
354        // Ignore the key up event for newlines. This prevents
355        // multiple newlines in the native textarea.
356        if (mGotEnterDown && !down) {
357            return true;
358        }
359        // if it is a navigation key, pass it to WebView
360        if (isArrowKey) {
361            // WebView check the trackballtime in onKeyDown to avoid calling
362            // native from both trackball and key handling. As this is called
363            // from WebTextView, we always want WebView to check with native.
364            // Reset trackballtime to ensure it.
365            mWebView.resetTrackballTime();
366            return down ? mWebView.onKeyDown(keyCode, event) : mWebView
367                    .onKeyUp(keyCode, event);
368        }
369        return false;
370    }
371
372    void ensureLayout() {
373        if (getLayout() == null) {
374            // Ensure we have a Layout
375            measure(mWidthSpec, mHeightSpec);
376            LayoutParams params = (LayoutParams) getLayoutParams();
377            if (params != null) {
378                layout(params.x, params.y, params.x + params.width,
379                        params.y + params.height);
380            }
381        }
382    }
383
384    /* package */ ResultReceiver getResultReceiver() { return mReceiver; }
385
386    /**
387     *  Determine whether this WebTextView currently represents the node
388     *  represented by ptr.
389     *  @param  ptr Pointer to a node to compare to.
390     *  @return boolean Whether this WebTextView already represents the node
391     *          pointed to by ptr.
392     */
393    /* package */ boolean isSameTextField(int ptr) {
394        return ptr == mNodePointer;
395    }
396
397    /**
398     * Ensure that the underlying text field/area is lined up with the WebTextView.
399     */
400    private void lineUpScroll() {
401        Layout layout = getLayout();
402        if (mWebView != null && layout != null) {
403            if (mSingle) {
404                // textfields only need to be lined up horizontally.
405                float maxScrollX = layout.getLineRight(0) - getWidth();
406                if (DebugFlags.WEB_TEXT_VIEW) {
407                    Log.v(LOGTAG, "onTouchEvent x=" + mScrollX + " y="
408                            + mScrollY + " maxX=" + maxScrollX);
409                }
410                mWebView.scrollFocusedTextInputX(maxScrollX > 0 ?
411                        mScrollX / maxScrollX : 0);
412            } else {
413                // textareas only need to be lined up vertically.
414                mWebView.scrollFocusedTextInputY(mScrollY);
415            }
416        }
417    }
418
419    @Override
420    protected void makeNewLayout(int w, int hintWidth, Metrics boring,
421            Metrics hintBoring, int ellipsisWidth, boolean bringIntoView) {
422        // Necessary to get a Layout to work with, and to do the other work that
423        // makeNewLayout does.
424        super.makeNewLayout(w, hintWidth, boring, hintBoring, ellipsisWidth,
425                bringIntoView);
426
427        // For fields that do not draw, create a layout which is altered so that
428        // the text lines up.
429        if (DebugFlags.DRAW_WEBTEXTVIEW || willNotDraw()) {
430            float lineHeight = -1;
431            if (mWebView != null) {
432                float height = mWebView.nativeFocusCandidateLineHeight();
433                if (height != -1) {
434                    lineHeight = height * mWebView.getScale();
435                }
436            }
437            CharSequence text = getText();
438            // Copy from the existing Layout.
439            mLayout = new WebTextViewLayout(text, text, getPaint(), mLayout.getWidth(),
440                    mLayout.getAlignment(), mLayout.getSpacingMultiplier(),
441                    mLayout.getSpacingAdd(), false, null, ellipsisWidth,
442                    lineHeight);
443        }
444        lineUpScroll();
445    }
446
447    /**
448     * Custom layout which figures out its line spacing.  If -1 is passed in for
449     * the height, it will use the ascent and descent from the paint to
450     * determine the line spacing.  Otherwise it will use the spacing provided.
451     */
452    private static class WebTextViewLayout extends DynamicLayout {
453        private float mLineHeight;
454        private float mDifference;
455        public WebTextViewLayout(CharSequence base, CharSequence display,
456                TextPaint paint,
457                int width, Alignment align,
458                float spacingMult, float spacingAdd,
459                boolean includepad,
460                TextUtils.TruncateAt ellipsize, int ellipsizedWidth,
461                float lineHeight) {
462            super(base, display, paint, width, align, spacingMult, spacingAdd,
463                    includepad, ellipsize, ellipsizedWidth);
464            float paintLineHeight = paint.descent() - paint.ascent();
465            if (lineHeight == -1f) {
466                mLineHeight = paintLineHeight;
467                mDifference = 0f;
468            } else {
469                mLineHeight = lineHeight;
470                // Through trial and error, I found this calculation to improve
471                // the accuracy of line placement.
472                mDifference = (lineHeight - paintLineHeight) / 2;
473            }
474        }
475
476        @Override
477        public int getLineTop(int line) {
478            return Math.round(mLineHeight * line - mDifference);
479        }
480    }
481
482    @Override public InputConnection onCreateInputConnection(
483            EditorInfo outAttrs) {
484        InputConnection connection = super.onCreateInputConnection(outAttrs);
485        if (mWebView != null) {
486            // Use the name of the textfield + the url.  Use backslash as an
487            // arbitrary separator.
488            outAttrs.fieldName = mWebView.nativeFocusCandidateName() + "\\"
489                    + mWebView.getUrl();
490        }
491        return connection;
492    }
493
494    /**
495     * In general, TextView makes a call to InputMethodManager.updateSelection
496     * in onDraw.  However, in the general case of WebTextView, we do not draw.
497     * This method is called by WebView.onDraw to take care of the part that
498     * needs to be called.
499     */
500    /* package */ void onDrawSubstitute() {
501        if (!willNotDraw()) {
502            // If the WebTextView is set to draw, such as in the case of a
503            // password, onDraw calls updateSelection(), so this code path is
504            // unnecessary.
505            return;
506        }
507        // This code is copied from TextView.onDraw().  That code does not get
508        // executed, however, because the WebTextView does not draw, allowing
509        // webkit's drawing to show through.
510        InputMethodManager imm = InputMethodManager.peekInstance();
511        if (imm != null && imm.isActive(this)) {
512            Spannable sp = (Spannable) getText();
513            int selStart = Selection.getSelectionStart(sp);
514            int selEnd = Selection.getSelectionEnd(sp);
515            int candStart = EditableInputConnection.getComposingSpanStart(sp);
516            int candEnd = EditableInputConnection.getComposingSpanEnd(sp);
517            imm.updateSelection(this, selStart, selEnd, candStart, candEnd);
518        }
519    }
520
521    @Override
522    protected void onDraw(Canvas canvas) {
523        // onDraw should only be called for password fields.  If WebTextView is
524        // still drawing, but is no longer corresponding to a password field,
525        // remove it.
526        if (!DebugFlags.DRAW_WEBTEXTVIEW && (mWebView == null
527                || !mWebView.nativeFocusCandidateIsPassword()
528                || !isSameTextField(mWebView.nativeFocusCandidatePointer()))) {
529            // Although calling remove() would seem to make more sense here,
530            // changing it to not be a password field will make it not draw.
531            // Other code will make sure that it is removed completely, but this
532            // way the user will not see it.
533            setInPassword(false);
534        } else {
535            super.onDraw(canvas);
536        }
537    }
538
539    @Override
540    public void onEditorAction(int actionCode) {
541        switch (actionCode) {
542        case EditorInfo.IME_ACTION_NEXT:
543            if (mWebView.nativeMoveCursorToNextTextInput()) {
544                // Preemptively rebuild the WebTextView, so that the action will
545                // be set properly.
546                mWebView.rebuildWebTextView();
547                setDefaultSelection();
548                mWebView.invalidate();
549            }
550            break;
551        case EditorInfo.IME_ACTION_DONE:
552            super.onEditorAction(actionCode);
553            break;
554        case EditorInfo.IME_ACTION_GO:
555        case EditorInfo.IME_ACTION_SEARCH:
556            // Send an enter and hide the soft keyboard
557            InputMethodManager.getInstance(mContext)
558                    .hideSoftInputFromWindow(getWindowToken(), 0);
559            sendDomEvent(new KeyEvent(KeyEvent.ACTION_DOWN,
560                    KeyEvent.KEYCODE_ENTER));
561            sendDomEvent(new KeyEvent(KeyEvent.ACTION_UP,
562                    KeyEvent.KEYCODE_ENTER));
563
564        default:
565            break;
566        }
567    }
568
569    @Override
570    protected void onFocusChanged(boolean focused, int direction,
571            Rect previouslyFocusedRect) {
572        mFromFocusChange = true;
573        super.onFocusChanged(focused, direction, previouslyFocusedRect);
574        if (focused) {
575            mWebView.setActive(true);
576        } else if (!mInsideRemove) {
577            mWebView.setActive(false);
578        }
579        mFromFocusChange = false;
580    }
581
582    // AdapterView.OnItemClickListener implementation
583
584    @Override
585    public void onItemClick(AdapterView<?> parent, View view, int position, long id) {
586        if (id == 0 && position == 0) {
587            // Blank out the text box while we wait for WebCore to fill the form.
588            replaceText("");
589            WebSettings settings = mWebView.getSettings();
590            if (mAutoFillProfileIsSet) {
591                // Call a webview method to tell WebCore to autofill the form.
592                mWebView.autoFillForm(mQueryId);
593            } else {
594                // There is no autofill profile setup yet and the user has
595                // elected to try and set one up. Call through to the
596                // embedder to action that.
597                mWebView.getWebChromeClient().setupAutoFill(
598                        mHandler.obtainMessage(AUTOFILL_FORM));
599            }
600        }
601    }
602
603    @Override
604    protected void onScrollChanged(int l, int t, int oldl, int oldt) {
605        super.onScrollChanged(l, t, oldl, oldt);
606        lineUpScroll();
607    }
608
609    @Override
610    protected void onSelectionChanged(int selStart, int selEnd) {
611        if (!mFromWebKit && !mFromFocusChange && !mFromSetInputType
612                && mWebView != null && !mInSetTextAndKeepSelection) {
613            if (DebugFlags.WEB_TEXT_VIEW) {
614                Log.v(LOGTAG, "onSelectionChanged selStart=" + selStart
615                        + " selEnd=" + selEnd);
616            }
617            mWebView.setSelection(selStart, selEnd);
618            lineUpScroll();
619        }
620    }
621
622    @Override
623    protected void onTextChanged(CharSequence s,int start,int before,int count){
624        super.onTextChanged(s, start, before, count);
625        String postChange = s.toString();
626        // Prevent calls to setText from invoking onTextChanged (since this will
627        // mean we are on a different textfield).  Also prevent the change when
628        // going from a textfield with a string of text to one with a smaller
629        // limit on text length from registering the onTextChanged event.
630        if (mPreChange == null || mPreChange.equals(postChange) ||
631                (mMaxLength > -1 && mPreChange.length() > mMaxLength &&
632                mPreChange.substring(0, mMaxLength).equals(postChange))) {
633            return;
634        }
635        mPreChange = postChange;
636        if (0 == count) {
637            if (before > 0) {
638                // For this and all changes to the text, update our cache
639                updateCachedTextfield();
640                if (mGotDelete) {
641                    mGotDelete = false;
642                    int oldEnd = start + before;
643                    if (mDelSelEnd == oldEnd
644                            && (mDelSelStart == start
645                            || (mDelSelStart == oldEnd && before == 1))) {
646                        // If the selection is set up properly before the
647                        // delete, send the DOM events.
648                        sendDomEvent(new KeyEvent(KeyEvent.ACTION_DOWN,
649                                KeyEvent.KEYCODE_DEL));
650                        sendDomEvent(new KeyEvent(KeyEvent.ACTION_UP,
651                                KeyEvent.KEYCODE_DEL));
652                        return;
653                    }
654                }
655                // This was simply a delete or a cut, so just delete the
656                // selection.
657                mWebView.deleteSelection(start, start + before);
658            }
659            mGotDelete = false;
660            // before should never be negative, so whether it was a cut
661            // (handled above), or before is 0, in which case nothing has
662            // changed, we should return.
663            return;
664        }
665        // Ensure that this flag gets cleared, since with autocorrect on, a
666        // delete key press may have a more complex result than deleting one
667        // character or the existing selection, so it will not get cleared
668        // above.
669        mGotDelete = false;
670        // Find the last character being replaced.  If it can be represented by
671        // events, we will pass them to native (after replacing the beginning
672        // of the changed text), so we can see javascript events.
673        // Otherwise, replace the text being changed (including the last
674        // character) in the textfield.
675        TextUtils.getChars(s, start + count - 1, start + count, mCharacter, 0);
676        KeyCharacterMap kmap = KeyCharacterMap.load(KeyCharacterMap.VIRTUAL_KEYBOARD);
677        KeyEvent[] events = kmap.getEvents(mCharacter);
678        boolean cannotUseKeyEvents = null == events;
679        int charactersFromKeyEvents = cannotUseKeyEvents ? 0 : 1;
680        if (count > 1 || cannotUseKeyEvents) {
681            String replace = s.subSequence(start,
682                    start + count - charactersFromKeyEvents).toString();
683            mWebView.replaceTextfieldText(start, start + before, replace,
684                    start + count - charactersFromKeyEvents,
685                    start + count - charactersFromKeyEvents);
686        } else {
687            // This corrects the selection which may have been affected by the
688            // trackball or auto-correct.
689            if (DebugFlags.WEB_TEXT_VIEW) {
690                Log.v(LOGTAG, "onTextChanged start=" + start
691                        + " start + before=" + (start + before));
692            }
693            if (!mInSetTextAndKeepSelection) {
694                mWebView.setSelection(start, start + before);
695            }
696        }
697        if (!cannotUseKeyEvents) {
698            int length = events.length;
699            for (int i = 0; i < length; i++) {
700                // We never send modifier keys to native code so don't send them
701                // here either.
702                if (!KeyEvent.isModifierKey(events[i].getKeyCode())) {
703                    sendDomEvent(events[i]);
704                }
705            }
706        }
707        updateCachedTextfield();
708    }
709
710    @Override
711    public boolean onTouchEvent(MotionEvent event) {
712        switch (event.getAction()) {
713        case MotionEvent.ACTION_DOWN:
714            super.onTouchEvent(event);
715            // This event may be the start of a drag, so store it to pass to the
716            // WebView if it is.
717            mDragStartX = event.getX();
718            mDragStartY = event.getY();
719            mDragStartTime = event.getEventTime();
720            mDragSent = false;
721            mScrolled = false;
722            mGotTouchDown = true;
723            mHasPerformedLongClick = false;
724            break;
725        case MotionEvent.ACTION_MOVE:
726            if (mHasPerformedLongClick) {
727                mGotTouchDown = false;
728                return false;
729            }
730            int slop = ViewConfiguration.get(mContext).getScaledTouchSlop();
731            Spannable buffer = getText();
732            int initialScrollX = Touch.getInitialScrollX(this, buffer);
733            int initialScrollY = Touch.getInitialScrollY(this, buffer);
734            super.onTouchEvent(event);
735            int dx = Math.abs(mScrollX - initialScrollX);
736            int dy = Math.abs(mScrollY - initialScrollY);
737            // Use a smaller slop when checking to see if we've moved far enough
738            // to scroll the text, because experimentally, slop has shown to be
739            // to big for the case of a small textfield.
740            int smallerSlop = slop/2;
741            if (dx > smallerSlop || dy > smallerSlop) {
742                // Scrolling is handled in onScrollChanged.
743                mScrolled = true;
744                cancelLongPress();
745                return true;
746            }
747            if (Math.abs((int) event.getX() - mDragStartX) < slop
748                    && Math.abs((int) event.getY() - mDragStartY) < slop) {
749                // If the user has not scrolled further than slop, we should not
750                // send the drag.  Instead, do nothing, and when the user lifts
751                // their finger, we will change the selection.
752                return true;
753            }
754            if (mWebView != null) {
755                // Only want to set the initial state once.
756                if (!mDragSent) {
757                    mWebView.initiateTextFieldDrag(mDragStartX, mDragStartY,
758                            mDragStartTime);
759                    mDragSent = true;
760                }
761                boolean scrolled = mWebView.textFieldDrag(event);
762                if (scrolled) {
763                    mScrolled = true;
764                    cancelLongPress();
765                    return true;
766                }
767            }
768            return false;
769        case MotionEvent.ACTION_UP:
770        case MotionEvent.ACTION_CANCEL:
771            super.onTouchEvent(event);
772            if (mHasPerformedLongClick) {
773                mGotTouchDown = false;
774                return false;
775            }
776            if (!mScrolled) {
777                // If the page scrolled, or the TextView scrolled, we do not
778                // want to change the selection
779                cancelLongPress();
780                if (mGotTouchDown && mWebView != null) {
781                    mWebView.touchUpOnTextField(event);
782                }
783            }
784            // Necessary for the WebView to reset its state
785            if (mWebView != null && mDragSent) {
786                mWebView.onTouchEvent(event);
787            }
788            mGotTouchDown = false;
789            break;
790        default:
791            break;
792        }
793        return true;
794    }
795
796    @Override
797    public boolean onTrackballEvent(MotionEvent event) {
798        if (isPopupShowing()) {
799            return super.onTrackballEvent(event);
800        }
801        if (event.getAction() != MotionEvent.ACTION_MOVE) {
802            return false;
803        }
804        Spannable text = getText();
805        MovementMethod move = getMovementMethod();
806        if (move != null && getLayout() != null &&
807            move.onTrackballEvent(this, text, event)) {
808            // Selection is changed in onSelectionChanged
809            return true;
810        }
811        return false;
812    }
813
814    @Override
815    public boolean performLongClick() {
816        mHasPerformedLongClick = true;
817        return super.performLongClick();
818    }
819
820    /**
821     * Remove this WebTextView from its host WebView, and return
822     * focus to the host.
823     */
824    /* package */ void remove() {
825        // hide the soft keyboard when the edit text is out of focus
826        InputMethodManager imm = InputMethodManager.getInstance(mContext);
827        if (imm.isActive(this)) {
828            imm.hideSoftInputFromWindow(getWindowToken(), 0);
829        }
830        mInsideRemove = true;
831        mWebView.removeView(this);
832        mWebView.requestFocus();
833        mInsideRemove = false;
834    }
835
836    @Override
837    public boolean requestRectangleOnScreen(Rect rectangle, boolean immediate) {
838        // Do nothing, since webkit will put the textfield on screen.
839        return true;
840    }
841
842    /**
843     *  Send the DOM events for the specified event.
844     *  @param event    KeyEvent to be translated into a DOM event.
845     */
846    private void sendDomEvent(KeyEvent event) {
847        mWebView.passToJavaScript(getText().toString(), event);
848    }
849
850    /**
851     *  Always use this instead of setAdapter, as this has features specific to
852     *  the WebTextView.
853     */
854    public void setAdapterCustom(AutoCompleteAdapter adapter) {
855        if (adapter != null) {
856            setInputType(getInputType()
857                    | InputType.TYPE_TEXT_FLAG_AUTO_COMPLETE);
858            adapter.setTextView(this);
859            if (mAutoFillable) {
860                setOnItemClickListener(this);
861            } else {
862                setOnItemClickListener(null);
863            }
864            showDropDown();
865        } else {
866            dismissDropDown();
867        }
868        super.setAdapter(adapter);
869    }
870
871    /**
872     *  This is a special version of ArrayAdapter which changes its text size
873     *  to match the text size of its host TextView.
874     */
875    public static class AutoCompleteAdapter extends ArrayAdapter<String> {
876        private TextView mTextView;
877
878        public AutoCompleteAdapter(Context context, ArrayList<String> entries) {
879            super(context, com.android.internal.R.layout
880                    .web_text_view_dropdown, entries);
881        }
882
883        /**
884         * {@inheritDoc}
885         */
886        @Override
887        public View getView(int position, View convertView, ViewGroup parent) {
888            TextView tv =
889                    (TextView) super.getView(position, convertView, parent);
890            if (tv != null && mTextView != null) {
891                tv.setTextSize(mTextView.getTextSize());
892            }
893            return tv;
894        }
895
896        /**
897         * Set the TextView so we can match its text size.
898         */
899        private void setTextView(TextView tv) {
900            mTextView = tv;
901        }
902    }
903
904    /**
905     * Sets the selection when the user clicks on a textfield or textarea with
906     * the trackball or center key, or starts typing into it without clicking on
907     * it.
908     */
909    /* package */ void setDefaultSelection() {
910        Spannable text = (Spannable) getText();
911        int selection = mSingle ? text.length() : 0;
912        if (Selection.getSelectionStart(text) == selection
913                && Selection.getSelectionEnd(text) == selection) {
914            // The selection of the UI copy is set correctly, but the
915            // WebTextView still needs to inform the webkit thread to set the
916            // selection.  Normally that is done in onSelectionChanged, but
917            // onSelectionChanged will not be called because the UI copy is not
918            // changing.  (This can happen when the WebTextView takes focus.
919            // That onSelectionChanged was blocked because the selection set
920            // when focusing is not necessarily the desirable selection for
921            // WebTextView.)
922            if (mWebView != null) {
923                mWebView.setSelection(selection, selection);
924            }
925        } else {
926            Selection.setSelection(text, selection, selection);
927        }
928        if (mWebView != null) mWebView.incrementTextGeneration();
929    }
930
931    /**
932     * Determine whether to use the system-wide password disguising method,
933     * or to use none.
934     * @param   inPassword  True if the textfield is a password field.
935     */
936    /* package */ void setInPassword(boolean inPassword) {
937        if (inPassword) {
938            setInputType(InputType.TYPE_CLASS_TEXT | EditorInfo.
939                TYPE_TEXT_VARIATION_WEB_PASSWORD);
940            createBackground();
941        }
942        // For password fields, draw the WebTextView.  For others, just show
943        // webkit's drawing.
944        if (!DebugFlags.DRAW_WEBTEXTVIEW) {
945            setWillNotDraw(!inPassword);
946        }
947        setBackgroundDrawable(inPassword ? mBackground : null);
948    }
949
950    /**
951     * Private class used for the background of a password textfield.
952     */
953    private static class OutlineDrawable extends Drawable {
954        private Paint mBackgroundPaint;
955        private Paint mOutlinePaint;
956        private float[] mLines;
957        public OutlineDrawable() {
958            mBackgroundPaint = new Paint(Paint.ANTI_ALIAS_FLAG);
959            mBackgroundPaint.setColor(Color.WHITE);
960
961            mOutlinePaint = new Paint(Paint.ANTI_ALIAS_FLAG);
962            mOutlinePaint.setColor(Color.BLACK);
963            mOutlinePaint.setStyle(Paint.Style.STROKE);
964
965            mLines = new float[16];
966        }
967        @Override
968        public void setBounds(int left, int top, int right, int bottom) {
969            super.setBounds(left, top, right, bottom);
970            bottom--;
971            right -= 2;
972            // Top line
973            mLines[0] = left;
974            mLines[1] = top + 1;
975            mLines[2] = right;
976            mLines[3] = top + 1;
977            // Right line
978            mLines[4] = right;
979            mLines[5] = top;
980            mLines[6] = right;
981            mLines[7] = bottom;
982            // Bottom line
983            mLines[8] = left;
984            mLines[9] = bottom;
985            mLines[10] = right;
986            mLines[11] = bottom;
987            // Left line
988            mLines[12] = left + 1;
989            mLines[13] = top;
990            mLines[14] = left + 1;
991            mLines[15] = bottom;
992        }
993        @Override
994        public void draw(Canvas canvas) {
995            // Draw the background.
996            canvas.drawRect(getBounds(), mBackgroundPaint);
997            // Draw the outline.
998            canvas.drawLines(mLines, mOutlinePaint);
999        }
1000        // Always want it to be opaque.
1001        @Override
1002        public int getOpacity() {
1003            return PixelFormat.OPAQUE;
1004        }
1005        // These are needed because they are abstract in Drawable.
1006        @Override
1007        public void setAlpha(int alpha) { }
1008        @Override
1009        public void setColorFilter(ColorFilter cf) { }
1010    }
1011
1012    /**
1013     * Create a background for the WebTextView and set up the paint for drawing
1014     * the text.  This way, we can see the password transformation of the
1015     * system, which (optionally) shows the actual text before changing to dots.
1016     * The background is necessary to hide the webkit-drawn text beneath.
1017     */
1018    private void createBackground() {
1019        if (mBackground != null) {
1020            return;
1021        }
1022        mBackground = new OutlineDrawable();
1023
1024        setGravity(Gravity.CENTER_VERTICAL);
1025    }
1026
1027    @Override
1028    public void setInputType(int type) {
1029        mFromSetInputType = true;
1030        super.setInputType(type);
1031        mFromSetInputType = false;
1032    }
1033
1034    private void setMaxLength(int maxLength) {
1035        mMaxLength = maxLength;
1036        if (-1 == maxLength) {
1037            setFilters(NO_FILTERS);
1038        } else {
1039            setFilters(new InputFilter[] {
1040                new InputFilter.LengthFilter(maxLength) });
1041        }
1042    }
1043
1044    /**
1045     *  Set the pointer for this node so it can be determined which node this
1046     *  WebTextView represents.
1047     *  @param  ptr Integer representing the pointer to the node which this
1048     *          WebTextView represents.
1049     */
1050    /* package */ void setNodePointer(int ptr) {
1051        mNodePointer = ptr;
1052    }
1053
1054    /**
1055     * Determine the position and size of WebTextView, and add it to the
1056     * WebView's view heirarchy.  All parameters are presumed to be in
1057     * view coordinates.  Also requests Focus and sets the cursor to not
1058     * request to be in view.
1059     * @param x         x-position of the textfield.
1060     * @param y         y-position of the textfield.
1061     * @param width     width of the textfield.
1062     * @param height    height of the textfield.
1063     */
1064    /* package */ void setRect(int x, int y, int width, int height) {
1065        LayoutParams lp = (LayoutParams) getLayoutParams();
1066        if (null == lp) {
1067            lp = new LayoutParams(width, height, x, y);
1068        } else {
1069            lp.x = x;
1070            lp.y = y;
1071            lp.width = width;
1072            lp.height = height;
1073        }
1074        if (getParent() == null) {
1075            mWebView.addView(this, lp);
1076        } else {
1077            setLayoutParams(lp);
1078        }
1079        // Set up a measure spec so a layout can always be recreated.
1080        mWidthSpec = MeasureSpec.makeMeasureSpec(width, MeasureSpec.EXACTLY);
1081        mHeightSpec = MeasureSpec.makeMeasureSpec(height, MeasureSpec.EXACTLY);
1082    }
1083
1084    /**
1085     * Set the selection, and disable our onSelectionChanged action.
1086     */
1087    /* package */ void setSelectionFromWebKit(int start, int end) {
1088        if (start < 0 || end < 0) return;
1089        Spannable text = (Spannable) getText();
1090        int length = text.length();
1091        if (start > length || end > length) return;
1092        mFromWebKit = true;
1093        Selection.setSelection(text, start, end);
1094        mFromWebKit = false;
1095    }
1096
1097    /**
1098     * Update the text size according to the size of the focus candidate's text
1099     * size in mWebView.  Should only be called from mWebView.
1100     */
1101    /* package */ void updateTextSize() {
1102        Assert.assertNotNull("updateTextSize should only be called from "
1103                + "mWebView, so mWebView should never be null!", mWebView);
1104        // Note that this is approximately WebView.contentToViewDimension,
1105        // without being rounded.
1106        float size = mWebView.nativeFocusCandidateTextSize()
1107                * mWebView.getScale();
1108        setTextSize(TypedValue.COMPLEX_UNIT_PX, size);
1109    }
1110
1111    /**
1112     * Set the text to the new string, but use the old selection, making sure
1113     * to keep it within the new string.
1114     * @param   text    The new text to place in the textfield.
1115     */
1116    /* package */ void setTextAndKeepSelection(String text) {
1117        mPreChange = text.toString();
1118        Editable edit = getText();
1119        int selStart = Selection.getSelectionStart(edit);
1120        int selEnd = Selection.getSelectionEnd(edit);
1121        mInSetTextAndKeepSelection = true;
1122        edit.replace(0, edit.length(), text);
1123        int newLength = edit.length();
1124        if (selStart > newLength) selStart = newLength;
1125        if (selEnd > newLength) selEnd = newLength;
1126        Selection.setSelection(edit, selStart, selEnd);
1127        mInSetTextAndKeepSelection = false;
1128        InputMethodManager imm = InputMethodManager.peekInstance();
1129        if (imm != null && imm.isActive(this)) {
1130            // Since the text has changed, do not allow the IME to replace the
1131            // existing text as though it were a completion.
1132            imm.restartInput(this);
1133        }
1134        updateCachedTextfield();
1135    }
1136
1137    /**
1138     * Called by WebView.rebuildWebTextView().  Based on the type of the <input>
1139     * element, set up the WebTextView, its InputType, and IME Options properly.
1140     * @param type int corresponding to enum "Type" defined in CachedInput.h.
1141     *              Does not correspond to HTMLInputElement::InputType so this
1142     *              is unaffected if that changes, and also because that has no
1143     *              type corresponding to textarea (which is its own tag).
1144     */
1145    /* package */ void setType(int type) {
1146        if (mWebView == null) return;
1147        boolean single = true;
1148        boolean inPassword = false;
1149        int maxLength = -1;
1150        int inputType = InputType.TYPE_CLASS_TEXT
1151                | InputType.TYPE_TEXT_VARIATION_WEB_EDIT_TEXT;
1152        int imeOptions = EditorInfo.IME_FLAG_NO_EXTRACT_UI
1153                | EditorInfo.IME_FLAG_NO_FULLSCREEN;
1154        if (TEXT_AREA != type
1155                && mWebView.nativeFocusCandidateHasNextTextfield()) {
1156            imeOptions |= EditorInfo.IME_FLAG_NAVIGATE_NEXT;
1157        }
1158        switch (type) {
1159            case NORMAL_TEXT_FIELD:
1160                imeOptions |= EditorInfo.IME_ACTION_GO;
1161                break;
1162            case TEXT_AREA:
1163                single = false;
1164                inputType |= InputType.TYPE_TEXT_FLAG_MULTI_LINE
1165                        | InputType.TYPE_TEXT_FLAG_CAP_SENTENCES
1166                        | InputType.TYPE_TEXT_FLAG_AUTO_CORRECT;
1167                imeOptions |= EditorInfo.IME_ACTION_NONE;
1168                break;
1169            case PASSWORD:
1170                inPassword = true;
1171                imeOptions |= EditorInfo.IME_ACTION_GO;
1172                break;
1173            case SEARCH:
1174                imeOptions |= EditorInfo.IME_ACTION_SEARCH;
1175                break;
1176            case EMAIL:
1177                // inputType needs to be overwritten because of the different text variation.
1178                inputType = InputType.TYPE_CLASS_TEXT
1179                        | InputType.TYPE_TEXT_VARIATION_WEB_EMAIL_ADDRESS;
1180                imeOptions |= EditorInfo.IME_ACTION_GO;
1181                break;
1182            case NUMBER:
1183                // inputType needs to be overwritten because of the different class.
1184                inputType = InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_VARIATION_NORMAL;
1185                // Number and telephone do not have both a Tab key and an
1186                // action, so set the action to NEXT
1187                imeOptions |= EditorInfo.IME_ACTION_NEXT;
1188                break;
1189            case TELEPHONE:
1190                // inputType needs to be overwritten because of the different class.
1191                inputType = InputType.TYPE_CLASS_PHONE;
1192                imeOptions |= EditorInfo.IME_ACTION_NEXT;
1193                break;
1194            case URL:
1195                // TYPE_TEXT_VARIATION_URI prevents Tab key from showing, so
1196                // exclude it for now.
1197                imeOptions |= EditorInfo.IME_ACTION_GO;
1198                break;
1199            default:
1200                imeOptions |= EditorInfo.IME_ACTION_GO;
1201                break;
1202        }
1203        setHint(null);
1204        if (single) {
1205            mWebView.requestLabel(mWebView.nativeFocusCandidateFramePointer(),
1206                    mNodePointer);
1207            maxLength = mWebView.nativeFocusCandidateMaxLength();
1208            boolean autoComplete = mWebView.nativeFocusCandidateIsAutoComplete();
1209            if (type != PASSWORD && (mAutoFillable || autoComplete)) {
1210                String name = mWebView.nativeFocusCandidateName();
1211                if (name != null && name.length() > 0) {
1212                    mWebView.requestFormData(name, mNodePointer, mAutoFillable,
1213                            autoComplete);
1214                }
1215            }
1216        }
1217        mSingle = single;
1218        setMaxLength(maxLength);
1219        setHorizontallyScrolling(single);
1220        setInputType(inputType);
1221        setImeOptions(imeOptions);
1222        setInPassword(inPassword);
1223        AutoCompleteAdapter adapter = null;
1224        setAdapterCustom(adapter);
1225    }
1226
1227    /**
1228     *  Update the cache to reflect the current text.
1229     */
1230    /* package */ void updateCachedTextfield() {
1231        mWebView.updateCachedTextfield(getText().toString());
1232    }
1233
1234    /* package */ void setAutoFillProfileIsSet(boolean autoFillProfileIsSet) {
1235        mAutoFillProfileIsSet = autoFillProfileIsSet;
1236    }
1237}
1238