WebView.java revision 2ba1262b420ef5b9abebcd818c46774b8517f244
1/*
2 * Copyright (C) 2006 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 android.app.AlertDialog;
20import android.content.Context;
21import android.content.DialogInterface;
22import android.content.Intent;
23import android.content.DialogInterface.OnCancelListener;
24import android.database.DataSetObserver;
25import android.graphics.Bitmap;
26import android.graphics.Canvas;
27import android.graphics.Color;
28import android.graphics.Paint;
29import android.graphics.Path;
30import android.graphics.Picture;
31import android.graphics.Point;
32import android.graphics.Rect;
33import android.graphics.Region;
34import android.net.http.SslCertificate;
35import android.net.Uri;
36import android.os.Bundle;
37import android.os.Handler;
38import android.os.Message;
39import android.os.ServiceManager;
40import android.os.SystemClock;
41import android.provider.Checkin;
42import android.text.IClipboard;
43import android.text.Selection;
44import android.text.Spannable;
45import android.util.AttributeSet;
46import android.util.EventLog;
47import android.util.Log;
48import android.view.Gravity;
49import android.view.KeyEvent;
50import android.view.LayoutInflater;
51import android.view.MotionEvent;
52import android.view.SoundEffectConstants;
53import android.view.VelocityTracker;
54import android.view.View;
55import android.view.ViewConfiguration;
56import android.view.ViewGroup;
57import android.view.ViewParent;
58import android.view.ViewTreeObserver;
59import android.view.animation.AlphaAnimation;
60import android.view.inputmethod.InputMethodManager;
61import android.webkit.WebTextView.AutoCompleteAdapter;
62import android.webkit.WebViewCore.EventHub;
63import android.widget.AbsoluteLayout;
64import android.widget.Adapter;
65import android.widget.AdapterView;
66import android.widget.ArrayAdapter;
67import android.widget.FrameLayout;
68import android.widget.ImageView;
69import android.widget.ListView;
70import android.widget.Scroller;
71import android.widget.Toast;
72import android.widget.ZoomButtonsController;
73import android.widget.ZoomControls;
74import android.widget.AdapterView.OnItemClickListener;
75
76import java.io.File;
77import java.io.FileInputStream;
78import java.io.FileNotFoundException;
79import java.io.FileOutputStream;
80import java.io.IOException;
81import java.net.URLDecoder;
82import java.util.ArrayList;
83import java.util.List;
84
85/**
86 * <p>A View that displays web pages. This class is the basis upon which you
87 * can roll your own web browser or simply display some online content within your Activity.
88 * It uses the WebKit rendering engine to display
89 * web pages and includes methods to navigate forward and backward
90 * through a history, zoom in and out, perform text searches and more.</p>
91 * <p>To enable the built-in zoom, set
92 * {@link #getSettings() WebSettings}.{@link WebSettings#setBuiltInZoomControls(boolean)}
93 * (introduced in API version 3).
94 * <p>Note that, in order for your Activity to access the Internet and load web pages
95 * in a WebView, you must add the <var>INTERNET</var> permissions to your
96 * Android Manifest file:</p>
97 * <pre>&lt;uses-permission android:name="android.permission.INTERNET" /></pre>
98 *
99 * <p>This must be a child of the <code>&lt;manifest></code> element.</p>
100 *
101 * <h3>Basic usage</h3>
102 *
103 * <p>By default, a WebView provides no browser-like widgets, does not
104 * enable JavaScript and errors will be ignored. If your goal is only
105 * to display some HTML as a part of your UI, this is probably fine;
106 * the user won't need to interact with the web page beyond reading
107 * it, and the web page won't need to interact with the user. If you
108 * actually want a fully blown web browser, then you probably want to
109 * invoke the Browser application with your URL rather than show it
110 * with a WebView. See {@link android.content.Intent} for more information.</p>
111 *
112 * <pre class="prettyprint">
113 * WebView webview = new WebView(this);
114 * setContentView(webview);
115 *
116 * // Simplest usage: note that an exception will NOT be thrown
117 * // if there is an error loading this page (see below).
118 * webview.loadUrl("http://slashdot.org/");
119 *
120 * // Of course you can also load from any string:
121 * String summary = "&lt;html>&lt;body>You scored &lt;b>192</b> points.&lt;/body>&lt;/html>";
122 * webview.loadData(summary, "text/html", "utf-8");
123 * // ... although note that there are restrictions on what this HTML can do.
124 * // See the JavaDocs for loadData and loadDataWithBaseUrl for more info.
125 * </pre>
126 *
127 * <p>A WebView has several customization points where you can add your
128 * own behavior. These are:</p>
129 *
130 * <ul>
131 *   <li>Creating and setting a {@link android.webkit.WebChromeClient} subclass.
132 *       This class is called when something that might impact a
133 *       browser UI happens, for instance, progress updates and
134 *       JavaScript alerts are sent here.
135 *   </li>
136 *   <li>Creating and setting a {@link android.webkit.WebViewClient} subclass.
137 *       It will be called when things happen that impact the
138 *       rendering of the content, eg, errors or form submissions. You
139 *       can also intercept URL loading here.</li>
140 *   <li>Via the {@link android.webkit.WebSettings} class, which contains
141 *       miscellaneous configuration. </li>
142 *   <li>With the {@link android.webkit.WebView#addJavascriptInterface} method.
143 *       This lets you bind Java objects into the WebView so they can be
144 *       controlled from the web pages JavaScript.</li>
145 * </ul>
146 *
147 * <p>Here's a more complicated example, showing error handling,
148 *    settings, and progress notification:</p>
149 *
150 * <pre class="prettyprint">
151 * // Let's display the progress in the activity title bar, like the
152 * // browser app does.
153 * getWindow().requestFeature(Window.FEATURE_PROGRESS);
154 *
155 * webview.getSettings().setJavaScriptEnabled(true);
156 *
157 * final Activity activity = this;
158 * webview.setWebChromeClient(new WebChromeClient() {
159 *   public void onProgressChanged(WebView view, int progress) {
160 *     // Activities and WebViews measure progress with different scales.
161 *     // The progress meter will automatically disappear when we reach 100%
162 *     activity.setProgress(progress * 1000);
163 *   }
164 * });
165 * webview.setWebViewClient(new WebViewClient() {
166 *   public void onReceivedError(WebView view, int errorCode, String description, String failingUrl) {
167 *     Toast.makeText(activity, "Oh no! " + description, Toast.LENGTH_SHORT).show();
168 *   }
169 * });
170 *
171 * webview.loadUrl("http://slashdot.org/");
172 * </pre>
173 *
174 * <h3>Cookie and window management</h3>
175 *
176 * <p>For obvious security reasons, your application has its own
177 * cache, cookie store etc - it does not share the Browser
178 * applications data. Cookies are managed on a separate thread, so
179 * operations like index building don't block the UI
180 * thread. Follow the instructions in {@link android.webkit.CookieSyncManager}
181 * if you want to use cookies in your application.
182 * </p>
183 *
184 * <p>By default, requests by the HTML to open new windows are
185 * ignored. This is true whether they be opened by JavaScript or by
186 * the target attribute on a link. You can customize your
187 * WebChromeClient to provide your own behaviour for opening multiple windows,
188 * and render them in whatever manner you want.</p>
189 *
190 * <p>Standard behavior for an Activity is to be destroyed and
191 * recreated when the devices orientation is changed. This will cause
192 * the WebView to reload the current page. If you don't want that, you
193 * can set your Activity to handle the orientation and keyboardHidden
194 * changes, and then just leave the WebView alone. It'll automatically
195 * re-orient itself as appropriate.</p>
196 */
197public class WebView extends AbsoluteLayout
198        implements ViewTreeObserver.OnGlobalFocusChangeListener,
199        ViewGroup.OnHierarchyChangeListener {
200
201    // if AUTO_REDRAW_HACK is true, then the CALL key will toggle redrawing
202    // the screen all-the-time. Good for profiling our drawing code
203    static private final boolean AUTO_REDRAW_HACK = false;
204    // true means redraw the screen all-the-time. Only with AUTO_REDRAW_HACK
205    private boolean mAutoRedraw;
206
207    static final String LOGTAG = "webview";
208
209    private static class ExtendedZoomControls extends FrameLayout {
210        public ExtendedZoomControls(Context context, AttributeSet attrs) {
211            super(context, attrs);
212            LayoutInflater inflater = (LayoutInflater)
213                    context.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
214            inflater.inflate(com.android.internal.R.layout.zoom_magnify, this, true);
215            mPlusMinusZoomControls = (ZoomControls) findViewById(
216                    com.android.internal.R.id.zoomControls);
217            mZoomMagnify = (ImageView) findViewById(com.android.internal.R.id.zoomMagnify);
218        }
219
220        public void show(boolean showZoom, boolean canZoomOut) {
221            mPlusMinusZoomControls.setVisibility(
222                    showZoom ? View.VISIBLE : View.GONE);
223            mZoomMagnify.setVisibility(canZoomOut ? View.VISIBLE : View.GONE);
224            fade(View.VISIBLE, 0.0f, 1.0f);
225        }
226
227        public void hide() {
228            fade(View.GONE, 1.0f, 0.0f);
229        }
230
231        private void fade(int visibility, float startAlpha, float endAlpha) {
232            AlphaAnimation anim = new AlphaAnimation(startAlpha, endAlpha);
233            anim.setDuration(500);
234            startAnimation(anim);
235            setVisibility(visibility);
236        }
237
238        public void setIsZoomMagnifyEnabled(boolean isEnabled) {
239            mZoomMagnify.setEnabled(isEnabled);
240        }
241
242        public boolean hasFocus() {
243            return mPlusMinusZoomControls.hasFocus() || mZoomMagnify.hasFocus();
244        }
245
246        public void setOnZoomInClickListener(OnClickListener listener) {
247            mPlusMinusZoomControls.setOnZoomInClickListener(listener);
248        }
249
250        public void setOnZoomOutClickListener(OnClickListener listener) {
251            mPlusMinusZoomControls.setOnZoomOutClickListener(listener);
252        }
253
254        public void setOnZoomMagnifyClickListener(OnClickListener listener) {
255            mZoomMagnify.setOnClickListener(listener);
256        }
257
258        ZoomControls    mPlusMinusZoomControls;
259        ImageView       mZoomMagnify;
260    }
261
262    /**
263     *  Transportation object for returning WebView across thread boundaries.
264     */
265    public class WebViewTransport {
266        private WebView mWebview;
267
268        /**
269         * Set the WebView to the transportation object.
270         * @param webview The WebView to transport.
271         */
272        public synchronized void setWebView(WebView webview) {
273            mWebview = webview;
274        }
275
276        /**
277         * Return the WebView object.
278         * @return WebView The transported WebView object.
279         */
280        public synchronized WebView getWebView() {
281            return mWebview;
282        }
283    }
284
285    // A final CallbackProxy shared by WebViewCore and BrowserFrame.
286    private final CallbackProxy mCallbackProxy;
287
288    private final WebViewDatabase mDatabase;
289
290    // SSL certificate for the main top-level page (if secure)
291    private SslCertificate mCertificate;
292
293    // Native WebView pointer that is 0 until the native object has been
294    // created.
295    private int mNativeClass;
296    // This would be final but it needs to be set to null when the WebView is
297    // destroyed.
298    private WebViewCore mWebViewCore;
299    // Handler for dispatching UI messages.
300    /* package */ final Handler mPrivateHandler = new PrivateHandler();
301    private WebTextView mWebTextView;
302    // Used to ignore changes to webkit text that arrives to the UI side after
303    // more key events.
304    private int mTextGeneration;
305
306    // Used by WebViewCore to create child views.
307    /* package */ final ViewManager mViewManager;
308
309    // The list of loaded plugins.
310    private static PluginList sPluginList;
311
312    /**
313     * Position of the last touch event.
314     */
315    private float mLastTouchX;
316    private float mLastTouchY;
317
318    /**
319     * Time of the last touch event.
320     */
321    private long mLastTouchTime;
322
323    /**
324     * Time of the last time sending touch event to WebViewCore
325     */
326    private long mLastSentTouchTime;
327
328    /**
329     * The minimum elapsed time before sending another ACTION_MOVE event to
330     * WebViewCore. This really should be tuned for each type of the devices.
331     * For example in Google Map api test case, it takes Dream device at least
332     * 150ms to do a full cycle in the WebViewCore by processing a touch event,
333     * triggering the layout and drawing the picture. While the same process
334     * takes 60+ms on the current high speed device. If we make
335     * TOUCH_SENT_INTERVAL too small, there will be multiple touch events sent
336     * to WebViewCore queue and the real layout and draw events will be pushed
337     * to further, which slows down the refresh rate. Choose 50 to favor the
338     * current high speed devices. For Dream like devices, 100 is a better
339     * choice. Maybe make this in the buildspec later.
340     */
341    private static final int TOUCH_SENT_INTERVAL = 50;
342
343    /**
344     * Helper class to get velocity for fling
345     */
346    VelocityTracker mVelocityTracker;
347    private int mMaximumFling;
348
349    // use this flag to control whether enabling the new double tap zoom
350    static final boolean ENABLE_DOUBLETAP_ZOOM = true;
351
352    /**
353     * Touch mode
354     */
355    private int mTouchMode = TOUCH_DONE_MODE;
356    private static final int TOUCH_INIT_MODE = 1;
357    private static final int TOUCH_DRAG_START_MODE = 2;
358    private static final int TOUCH_DRAG_MODE = 3;
359    private static final int TOUCH_SHORTPRESS_START_MODE = 4;
360    private static final int TOUCH_SHORTPRESS_MODE = 5;
361    private static final int TOUCH_DOUBLECLICK_MODE = 6;
362    private static final int TOUCH_DONE_MODE = 7;
363    private static final int TOUCH_SELECT_MODE = 8;
364    // touch mode values specific to scale+scroll
365    private static final int FIRST_SCROLL_ZOOM = 9;
366    private static final int SCROLL_ZOOM_ANIMATION_IN = 9;
367    private static final int SCROLL_ZOOM_ANIMATION_OUT = 10;
368    private static final int SCROLL_ZOOM_OUT = 11;
369    private static final int LAST_SCROLL_ZOOM = 11;
370    // end of touch mode values specific to scale+scroll
371    private static final int TOUCH_DOUBLE_TAP_MODE = 12;
372
373    // Whether to forward the touch events to WebCore
374    private boolean mForwardTouchEvents = false;
375
376    // Whether to prevent drag during touch. The initial value depends on
377    // mForwardTouchEvents. If WebCore wants touch events, we assume it will
378    // take control of touch events unless it says no for touch down event.
379    private boolean mPreventDrag;
380
381    // To keep track of whether the current drag was initiated by a WebTextView,
382    // so that we know not to hide the cursor
383    boolean mDragFromTextInput;
384
385    // Whether or not to draw the cursor ring.
386    private boolean mDrawCursorRing = true;
387
388    // true if onPause has been called (and not onResume)
389    private boolean mIsPaused;
390
391    /**
392     * Customizable constant
393     */
394    // pre-computed square of ViewConfiguration.getScaledTouchSlop()
395    private int mTouchSlopSquare;
396    // pre-computed square of ViewConfiguration.getScaledDoubleTapSlop()
397    private int mDoubleTapSlopSquare;
398    // pre-computed density adjusted navigation slop
399    private int mNavSlop;
400    // This should be ViewConfiguration.getTapTimeout()
401    // But system time out is 100ms, which is too short for the browser.
402    // In the browser, if it switches out of tap too soon, jump tap won't work.
403    private static final int TAP_TIMEOUT = 200;
404    // This should be ViewConfiguration.getLongPressTimeout()
405    // But system time out is 500ms, which is too short for the browser.
406    // With a short timeout, it's difficult to treat trigger a short press.
407    private static final int LONG_PRESS_TIMEOUT = 1000;
408    // needed to avoid flinging after a pause of no movement
409    private static final int MIN_FLING_TIME = 250;
410    // The time that the Zoom Controls are visible before fading away
411    private static final long ZOOM_CONTROLS_TIMEOUT =
412            ViewConfiguration.getZoomControlsTimeout();
413    // The amount of content to overlap between two screens when going through
414    // pages with the space bar, in pixels.
415    private static final int PAGE_SCROLL_OVERLAP = 24;
416
417    /**
418     * These prevent calling requestLayout if either dimension is fixed. This
419     * depends on the layout parameters and the measure specs.
420     */
421    boolean mWidthCanMeasure;
422    boolean mHeightCanMeasure;
423
424    // Remember the last dimensions we sent to the native side so we can avoid
425    // sending the same dimensions more than once.
426    int mLastWidthSent;
427    int mLastHeightSent;
428
429    private int mContentWidth;   // cache of value from WebViewCore
430    private int mContentHeight;  // cache of value from WebViewCore
431
432    // Need to have the separate control for horizontal and vertical scrollbar
433    // style than the View's single scrollbar style
434    private boolean mOverlayHorizontalScrollbar = true;
435    private boolean mOverlayVerticalScrollbar = false;
436
437    // our standard speed. this way small distances will be traversed in less
438    // time than large distances, but we cap the duration, so that very large
439    // distances won't take too long to get there.
440    private static final int STD_SPEED = 480;  // pixels per second
441    // time for the longest scroll animation
442    private static final int MAX_DURATION = 750;   // milliseconds
443    private Scroller mScroller;
444
445    private boolean mWrapContent;
446
447    /**
448     * Private message ids
449     */
450    private static final int REMEMBER_PASSWORD          = 1;
451    private static final int NEVER_REMEMBER_PASSWORD    = 2;
452    private static final int SWITCH_TO_SHORTPRESS       = 3;
453    private static final int SWITCH_TO_LONGPRESS        = 4;
454    private static final int RELEASE_SINGLE_TAP         = 5;
455    private static final int REQUEST_FORM_DATA          = 6;
456    private static final int SWITCH_TO_CLICK            = 7;
457    private static final int RESUME_WEBCORE_UPDATE      = 8;
458
459    //! arg1=x, arg2=y
460    static final int SCROLL_TO_MSG_ID                   = 10;
461    static final int SCROLL_BY_MSG_ID                   = 11;
462    //! arg1=x, arg2=y
463    static final int SPAWN_SCROLL_TO_MSG_ID             = 12;
464    //! arg1=x, arg2=y
465    static final int SYNC_SCROLL_TO_MSG_ID              = 13;
466    static final int NEW_PICTURE_MSG_ID                 = 14;
467    static final int UPDATE_TEXT_ENTRY_MSG_ID           = 15;
468    static final int WEBCORE_INITIALIZED_MSG_ID         = 16;
469    static final int UPDATE_TEXTFIELD_TEXT_MSG_ID       = 17;
470    static final int MOVE_OUT_OF_PLUGIN                 = 19;
471    static final int CLEAR_TEXT_ENTRY                   = 20;
472
473    static final int UPDATE_CLIPBOARD                   = 22;
474    static final int LONG_PRESS_CENTER                  = 23;
475    static final int PREVENT_TOUCH_ID                   = 24;
476    static final int WEBCORE_NEED_TOUCH_EVENTS          = 25;
477    // obj=Rect in doc coordinates
478    static final int INVAL_RECT_MSG_ID                  = 26;
479    static final int REQUEST_KEYBOARD                   = 27;
480
481    static final String[] HandlerDebugString = {
482        "REMEMBER_PASSWORD", //              = 1;
483        "NEVER_REMEMBER_PASSWORD", //        = 2;
484        "SWITCH_TO_SHORTPRESS", //           = 3;
485        "SWITCH_TO_LONGPRESS", //            = 4;
486        "RELEASE_SINGLE_TAP", //             = 5;
487        "REQUEST_FORM_DATA", //              = 6;
488        "SWITCH_TO_CLICK", //                = 7;
489        "RESUME_WEBCORE_UPDATE", //          = 8;
490        "9",
491        "SCROLL_TO_MSG_ID", //               = 10;
492        "SCROLL_BY_MSG_ID", //               = 11;
493        "SPAWN_SCROLL_TO_MSG_ID", //         = 12;
494        "SYNC_SCROLL_TO_MSG_ID", //          = 13;
495        "NEW_PICTURE_MSG_ID", //             = 14;
496        "UPDATE_TEXT_ENTRY_MSG_ID", //       = 15;
497        "WEBCORE_INITIALIZED_MSG_ID", //     = 16;
498        "UPDATE_TEXTFIELD_TEXT_MSG_ID", //   = 17;
499        "18", //        = 18;
500        "MOVE_OUT_OF_PLUGIN", //             = 19;
501        "CLEAR_TEXT_ENTRY", //               = 20;
502        "21", //                             = 21;
503        "UPDATE_CLIPBOARD", //               = 22;
504        "LONG_PRESS_CENTER", //              = 23;
505        "PREVENT_TOUCH_ID", //               = 24;
506        "WEBCORE_NEED_TOUCH_EVENTS", //      = 25;
507        "INVAL_RECT_MSG_ID", //              = 26;
508        "REQUEST_KEYBOARD" //                = 27;
509    };
510
511    // width which view is considered to be fully zoomed out
512    static final int ZOOM_OUT_WIDTH = 1008;
513
514    // default scale limit. Depending on the display density
515    private static float DEFAULT_MAX_ZOOM_SCALE;
516    private static float DEFAULT_MIN_ZOOM_SCALE;
517    // scale limit, which can be set through viewport meta tag in the web page
518    private float mMaxZoomScale;
519    private float mMinZoomScale;
520    private boolean mMinZoomScaleFixed = false;
521
522    // initial scale in percent. 0 means using default.
523    private int mInitialScale = 0;
524
525    // while in the zoom overview mode, the page's width is fully fit to the
526    // current window. The page is alive, in another words, you can click to
527    // follow the links. Double tap will toggle between zoom overview mode and
528    // the last zoom scale.
529    boolean mInZoomOverview = false;
530    // ideally mZoomOverviewWidth should be mContentWidth. But sites like espn,
531    // engadget always have wider mContentWidth no matter what viewport size is.
532    int mZoomOverviewWidth = 0;
533    float mLastScale;
534
535    // default scale. Depending on the display density.
536    static int DEFAULT_SCALE_PERCENT;
537    private float mDefaultScale;
538
539    // set to true temporarily while the zoom control is being dragged
540    private boolean mPreviewZoomOnly = false;
541
542    // computed scale and inverse, from mZoomWidth.
543    private float mActualScale;
544    private float mInvActualScale;
545    // if this is non-zero, it is used on drawing rather than mActualScale
546    private float mZoomScale;
547    private float mInvInitialZoomScale;
548    private float mInvFinalZoomScale;
549    private int mInitialScrollX;
550    private int mInitialScrollY;
551    private long mZoomStart;
552    private static final int ZOOM_ANIMATION_LENGTH = 500;
553
554    private boolean mUserScroll = false;
555
556    private int mSnapScrollMode = SNAP_NONE;
557    private static final int SNAP_NONE = 1;
558    private static final int SNAP_X = 2;
559    private static final int SNAP_Y = 3;
560    private static final int SNAP_X_LOCK = 4;
561    private static final int SNAP_Y_LOCK = 5;
562    private boolean mSnapPositive;
563
564    // Used to match key downs and key ups
565    private boolean mGotKeyDown;
566
567    /* package */ static boolean mLogEvent = true;
568    private static final int EVENT_LOG_ZOOM_LEVEL_CHANGE = 70101;
569    private static final int EVENT_LOG_DOUBLE_TAP_DURATION = 70102;
570
571    // for event log
572    private long mLastTouchUpTime = 0;
573
574    /**
575     * URI scheme for telephone number
576     */
577    public static final String SCHEME_TEL = "tel:";
578    /**
579     * URI scheme for email address
580     */
581    public static final String SCHEME_MAILTO = "mailto:";
582    /**
583     * URI scheme for map address
584     */
585    public static final String SCHEME_GEO = "geo:0,0?q=";
586
587    private int mBackgroundColor = Color.WHITE;
588
589    // Used to notify listeners of a new picture.
590    private PictureListener mPictureListener;
591    /**
592     * Interface to listen for new pictures as they change.
593     */
594    public interface PictureListener {
595        /**
596         * Notify the listener that the picture has changed.
597         * @param view The WebView that owns the picture.
598         * @param picture The new picture.
599         */
600        public void onNewPicture(WebView view, Picture picture);
601    }
602
603    // FIXME: Want to make this public, but need to change the API file.
604    public /*static*/ class HitTestResult {
605        /**
606         * Default HitTestResult, where the target is unknown
607         */
608        public static final int UNKNOWN_TYPE = 0;
609        /**
610         * HitTestResult for hitting a HTML::a tag
611         */
612        public static final int ANCHOR_TYPE = 1;
613        /**
614         * HitTestResult for hitting a phone number
615         */
616        public static final int PHONE_TYPE = 2;
617        /**
618         * HitTestResult for hitting a map address
619         */
620        public static final int GEO_TYPE = 3;
621        /**
622         * HitTestResult for hitting an email address
623         */
624        public static final int EMAIL_TYPE = 4;
625        /**
626         * HitTestResult for hitting an HTML::img tag
627         */
628        public static final int IMAGE_TYPE = 5;
629        /**
630         * HitTestResult for hitting a HTML::a tag which contains HTML::img
631         */
632        public static final int IMAGE_ANCHOR_TYPE = 6;
633        /**
634         * HitTestResult for hitting a HTML::a tag with src=http
635         */
636        public static final int SRC_ANCHOR_TYPE = 7;
637        /**
638         * HitTestResult for hitting a HTML::a tag with src=http + HTML::img
639         */
640        public static final int SRC_IMAGE_ANCHOR_TYPE = 8;
641        /**
642         * HitTestResult for hitting an edit text area
643         */
644        public static final int EDIT_TEXT_TYPE = 9;
645
646        private int mType;
647        private String mExtra;
648
649        HitTestResult() {
650            mType = UNKNOWN_TYPE;
651        }
652
653        private void setType(int type) {
654            mType = type;
655        }
656
657        private void setExtra(String extra) {
658            mExtra = extra;
659        }
660
661        public int getType() {
662            return mType;
663        }
664
665        public String getExtra() {
666            return mExtra;
667        }
668    }
669
670    // The View containing the zoom controls
671    private ExtendedZoomControls mZoomControls;
672    private Runnable mZoomControlRunnable;
673
674    private ZoomButtonsController mZoomButtonsController;
675
676    // These keep track of the center point of the zoom.  They are used to
677    // determine the point around which we should zoom.
678    private float mZoomCenterX;
679    private float mZoomCenterY;
680
681    private ZoomButtonsController.OnZoomListener mZoomListener =
682            new ZoomButtonsController.OnZoomListener() {
683
684        public void onVisibilityChanged(boolean visible) {
685            if (visible) {
686                switchOutDrawHistory();
687                updateZoomButtonsEnabled();
688            }
689        }
690
691        public void onZoom(boolean zoomIn) {
692            if (zoomIn) {
693                zoomIn();
694            } else {
695                zoomOut();
696            }
697
698            updateZoomButtonsEnabled();
699        }
700    };
701
702    /**
703     * Construct a new WebView with a Context object.
704     * @param context A Context object used to access application assets.
705     */
706    public WebView(Context context) {
707        this(context, null);
708    }
709
710    /**
711     * Construct a new WebView with layout parameters.
712     * @param context A Context object used to access application assets.
713     * @param attrs An AttributeSet passed to our parent.
714     */
715    public WebView(Context context, AttributeSet attrs) {
716        this(context, attrs, com.android.internal.R.attr.webViewStyle);
717    }
718
719    /**
720     * Construct a new WebView with layout parameters and a default style.
721     * @param context A Context object used to access application assets.
722     * @param attrs An AttributeSet passed to our parent.
723     * @param defStyle The default style resource ID.
724     */
725    public WebView(Context context, AttributeSet attrs, int defStyle) {
726        super(context, attrs, defStyle);
727        init();
728
729        mCallbackProxy = new CallbackProxy(context, this);
730        mWebViewCore = new WebViewCore(context, this, mCallbackProxy);
731        mDatabase = WebViewDatabase.getInstance(context);
732        mScroller = new Scroller(context);
733
734        mViewManager = new ViewManager(this);
735
736        mZoomButtonsController = new ZoomButtonsController(this);
737        mZoomButtonsController.setOnZoomListener(mZoomListener);
738        // ZoomButtonsController positions the buttons at the bottom, but in
739        // the middle.  Change their layout parameters so they appear on the
740        // right.
741        View controls = mZoomButtonsController.getZoomControls();
742        ViewGroup.LayoutParams params = controls.getLayoutParams();
743        if (params instanceof FrameLayout.LayoutParams) {
744            FrameLayout.LayoutParams frameParams = (FrameLayout.LayoutParams)
745                    params;
746            frameParams.gravity = Gravity.RIGHT;
747        }
748    }
749
750    private void updateZoomButtonsEnabled() {
751        boolean canZoomIn = mActualScale < mMaxZoomScale;
752        boolean canZoomOut = mActualScale > mMinZoomScale;
753        if (!canZoomIn && !canZoomOut) {
754            // Hide the zoom in and out buttons, as well as the fit to page
755            // button, if the page cannot zoom
756            mZoomButtonsController.getZoomControls().setVisibility(View.GONE);
757        } else {
758            // Bring back the hidden zoom controls.
759            mZoomButtonsController.getZoomControls()
760                    .setVisibility(View.VISIBLE);
761            // Set each one individually, as a page may be able to zoom in
762            // or out.
763            mZoomButtonsController.setZoomInEnabled(canZoomIn);
764            mZoomButtonsController.setZoomOutEnabled(canZoomOut);
765        }
766    }
767
768    private void init() {
769        setWillNotDraw(false);
770        setFocusable(true);
771        setFocusableInTouchMode(true);
772        setClickable(true);
773        setLongClickable(true);
774
775        final ViewConfiguration configuration = ViewConfiguration.get(getContext());
776        int slop = configuration.getScaledTouchSlop();
777        mTouchSlopSquare = slop * slop;
778        mMinLockSnapReverseDistance = slop;
779        slop = configuration.getScaledDoubleTapSlop();
780        mDoubleTapSlopSquare = slop * slop;
781        final float density = getContext().getResources().getDisplayMetrics().density;
782        // use one line height, 16 based on our current default font, for how
783        // far we allow a touch be away from the edge of a link
784        mNavSlop = (int) (16 * density);
785        // density adjusted scale factors
786        DEFAULT_SCALE_PERCENT = (int) (100 * density);
787        mDefaultScale = density;
788        mActualScale = density;
789        mInvActualScale = 1 / density;
790        DEFAULT_MAX_ZOOM_SCALE = 4.0f * density;
791        DEFAULT_MIN_ZOOM_SCALE = 0.25f * density;
792        mMaxZoomScale = DEFAULT_MAX_ZOOM_SCALE;
793        mMinZoomScale = DEFAULT_MIN_ZOOM_SCALE;
794        mMaximumFling = configuration.getScaledMaximumFlingVelocity();
795    }
796
797    /* package */void updateDefaultZoomDensity(int zoomDensity) {
798        final float density = getContext().getResources().getDisplayMetrics().density
799                * 100 / zoomDensity;
800        if (Math.abs(density - mDefaultScale) > 0.01) {
801            float scaleFactor = density / mDefaultScale;
802            // adjust the limits
803            mNavSlop = (int) (16 * density);
804            DEFAULT_SCALE_PERCENT = (int) (100 * density);
805            DEFAULT_MAX_ZOOM_SCALE = 4.0f * density;
806            DEFAULT_MIN_ZOOM_SCALE = 0.25f * density;
807            mDefaultScale = density;
808            mMaxZoomScale *= scaleFactor;
809            mMinZoomScale *= scaleFactor;
810            setNewZoomScale(mActualScale * scaleFactor, false);
811        }
812    }
813
814    /* package */ boolean onSavePassword(String schemePlusHost, String username,
815            String password, final Message resumeMsg) {
816       boolean rVal = false;
817       if (resumeMsg == null) {
818           // null resumeMsg implies saving password silently
819           mDatabase.setUsernamePassword(schemePlusHost, username, password);
820       } else {
821            final Message remember = mPrivateHandler.obtainMessage(
822                    REMEMBER_PASSWORD);
823            remember.getData().putString("host", schemePlusHost);
824            remember.getData().putString("username", username);
825            remember.getData().putString("password", password);
826            remember.obj = resumeMsg;
827
828            final Message neverRemember = mPrivateHandler.obtainMessage(
829                    NEVER_REMEMBER_PASSWORD);
830            neverRemember.getData().putString("host", schemePlusHost);
831            neverRemember.getData().putString("username", username);
832            neverRemember.getData().putString("password", password);
833            neverRemember.obj = resumeMsg;
834
835            new AlertDialog.Builder(getContext())
836                    .setTitle(com.android.internal.R.string.save_password_label)
837                    .setMessage(com.android.internal.R.string.save_password_message)
838                    .setPositiveButton(com.android.internal.R.string.save_password_notnow,
839                    new DialogInterface.OnClickListener() {
840                        public void onClick(DialogInterface dialog, int which) {
841                            resumeMsg.sendToTarget();
842                        }
843                    })
844                    .setNeutralButton(com.android.internal.R.string.save_password_remember,
845                    new DialogInterface.OnClickListener() {
846                        public void onClick(DialogInterface dialog, int which) {
847                            remember.sendToTarget();
848                        }
849                    })
850                    .setNegativeButton(com.android.internal.R.string.save_password_never,
851                    new DialogInterface.OnClickListener() {
852                        public void onClick(DialogInterface dialog, int which) {
853                            neverRemember.sendToTarget();
854                        }
855                    })
856                    .setOnCancelListener(new OnCancelListener() {
857                        public void onCancel(DialogInterface dialog) {
858                            resumeMsg.sendToTarget();
859                        }
860                    }).show();
861            // Return true so that WebViewCore will pause while the dialog is
862            // up.
863            rVal = true;
864        }
865       return rVal;
866    }
867
868    @Override
869    public void setScrollBarStyle(int style) {
870        if (style == View.SCROLLBARS_INSIDE_INSET
871                || style == View.SCROLLBARS_OUTSIDE_INSET) {
872            mOverlayHorizontalScrollbar = mOverlayVerticalScrollbar = false;
873        } else {
874            mOverlayHorizontalScrollbar = mOverlayVerticalScrollbar = true;
875        }
876        super.setScrollBarStyle(style);
877    }
878
879    /**
880     * Specify whether the horizontal scrollbar has overlay style.
881     * @param overlay TRUE if horizontal scrollbar should have overlay style.
882     */
883    public void setHorizontalScrollbarOverlay(boolean overlay) {
884        mOverlayHorizontalScrollbar = overlay;
885    }
886
887    /**
888     * Specify whether the vertical scrollbar has overlay style.
889     * @param overlay TRUE if vertical scrollbar should have overlay style.
890     */
891    public void setVerticalScrollbarOverlay(boolean overlay) {
892        mOverlayVerticalScrollbar = overlay;
893    }
894
895    /**
896     * Return whether horizontal scrollbar has overlay style
897     * @return TRUE if horizontal scrollbar has overlay style.
898     */
899    public boolean overlayHorizontalScrollbar() {
900        return mOverlayHorizontalScrollbar;
901    }
902
903    /**
904     * Return whether vertical scrollbar has overlay style
905     * @return TRUE if vertical scrollbar has overlay style.
906     */
907    public boolean overlayVerticalScrollbar() {
908        return mOverlayVerticalScrollbar;
909    }
910
911    /*
912     * Return the width of the view where the content of WebView should render
913     * to.
914     */
915    private int getViewWidth() {
916        if (!isVerticalScrollBarEnabled() || mOverlayVerticalScrollbar) {
917            return getWidth();
918        } else {
919            return getWidth() - getVerticalScrollbarWidth();
920        }
921    }
922
923    /*
924     * Return the height of the view where the content of WebView should render
925     * to.
926     */
927    private int getViewHeight() {
928        if (!isHorizontalScrollBarEnabled() || mOverlayHorizontalScrollbar) {
929            return getHeight();
930        } else {
931            return getHeight() - getHorizontalScrollbarHeight();
932        }
933    }
934
935    /**
936     * @return The SSL certificate for the main top-level page or null if
937     * there is no certificate (the site is not secure).
938     */
939    public SslCertificate getCertificate() {
940        return mCertificate;
941    }
942
943    /**
944     * Sets the SSL certificate for the main top-level page.
945     */
946    public void setCertificate(SslCertificate certificate) {
947        // here, the certificate can be null (if the site is not secure)
948        mCertificate = certificate;
949    }
950
951    //-------------------------------------------------------------------------
952    // Methods called by activity
953    //-------------------------------------------------------------------------
954
955    /**
956     * Save the username and password for a particular host in the WebView's
957     * internal database.
958     * @param host The host that required the credentials.
959     * @param username The username for the given host.
960     * @param password The password for the given host.
961     */
962    public void savePassword(String host, String username, String password) {
963        mDatabase.setUsernamePassword(host, username, password);
964    }
965
966    /**
967     * Set the HTTP authentication credentials for a given host and realm.
968     *
969     * @param host The host for the credentials.
970     * @param realm The realm for the credentials.
971     * @param username The username for the password. If it is null, it means
972     *                 password can't be saved.
973     * @param password The password
974     */
975    public void setHttpAuthUsernamePassword(String host, String realm,
976            String username, String password) {
977        mDatabase.setHttpAuthUsernamePassword(host, realm, username, password);
978    }
979
980    /**
981     * Retrieve the HTTP authentication username and password for a given
982     * host & realm pair
983     *
984     * @param host The host for which the credentials apply.
985     * @param realm The realm for which the credentials apply.
986     * @return String[] if found, String[0] is username, which can be null and
987     *         String[1] is password. Return null if it can't find anything.
988     */
989    public String[] getHttpAuthUsernamePassword(String host, String realm) {
990        return mDatabase.getHttpAuthUsernamePassword(host, realm);
991    }
992
993    /**
994     * Destroy the internal state of the WebView. This method should be called
995     * after the WebView has been removed from the view system. No other
996     * methods may be called on a WebView after destroy.
997     */
998    public void destroy() {
999        clearTextEntry();
1000        if (mWebViewCore != null) {
1001            // Set the handlers to null before destroying WebViewCore so no
1002            // more messages will be posted.
1003            mCallbackProxy.setWebViewClient(null);
1004            mCallbackProxy.setWebChromeClient(null);
1005            // Tell WebViewCore to destroy itself
1006            WebViewCore webViewCore = mWebViewCore;
1007            mWebViewCore = null; // prevent using partial webViewCore
1008            webViewCore.destroy();
1009            // Remove any pending messages that might not be serviced yet.
1010            mPrivateHandler.removeCallbacksAndMessages(null);
1011            mCallbackProxy.removeCallbacksAndMessages(null);
1012            // Wake up the WebCore thread just in case it is waiting for a
1013            // javascript dialog.
1014            synchronized (mCallbackProxy) {
1015                mCallbackProxy.notify();
1016            }
1017        }
1018        if (mNativeClass != 0) {
1019            nativeDestroy();
1020            mNativeClass = 0;
1021        }
1022    }
1023
1024    /**
1025     * Enables platform notifications of data state and proxy changes.
1026     */
1027    public static void enablePlatformNotifications() {
1028        Network.enablePlatformNotifications();
1029    }
1030
1031    /**
1032     * If platform notifications are enabled, this should be called
1033     * from the Activity's onPause() or onStop().
1034     */
1035    public static void disablePlatformNotifications() {
1036        Network.disablePlatformNotifications();
1037    }
1038
1039    /**
1040     * Sets JavaScript engine flags.
1041     *
1042     * @param flags JS engine flags in a String
1043     *
1044     * @hide pending API solidification
1045     */
1046    public void setJsFlags(String flags) {
1047        mWebViewCore.sendMessage(EventHub.SET_JS_FLAGS, flags);
1048    }
1049
1050    /**
1051     * Inform WebView of the network state. This is used to set
1052     * the javascript property window.navigator.isOnline and
1053     * generates the online/offline event as specified in HTML5, sec. 5.7.7
1054     * @param networkUp boolean indicating if network is available
1055     */
1056    public void setNetworkAvailable(boolean networkUp) {
1057        mWebViewCore.sendMessage(EventHub.SET_NETWORK_STATE,
1058                networkUp ? 1 : 0, 0);
1059    }
1060
1061    /**
1062     * Save the state of this WebView used in
1063     * {@link android.app.Activity#onSaveInstanceState}. Please note that this
1064     * method no longer stores the display data for this WebView. The previous
1065     * behavior could potentially leak files if {@link #restoreState} was never
1066     * called. See {@link #savePicture} and {@link #restorePicture} for saving
1067     * and restoring the display data.
1068     * @param outState The Bundle to store the WebView state.
1069     * @return The same copy of the back/forward list used to save the state. If
1070     *         saveState fails, the returned list will be null.
1071     * @see #savePicture
1072     * @see #restorePicture
1073     */
1074    public WebBackForwardList saveState(Bundle outState) {
1075        if (outState == null) {
1076            return null;
1077        }
1078        // We grab a copy of the back/forward list because a client of WebView
1079        // may have invalidated the history list by calling clearHistory.
1080        WebBackForwardList list = copyBackForwardList();
1081        final int currentIndex = list.getCurrentIndex();
1082        final int size = list.getSize();
1083        // We should fail saving the state if the list is empty or the index is
1084        // not in a valid range.
1085        if (currentIndex < 0 || currentIndex >= size || size == 0) {
1086            return null;
1087        }
1088        outState.putInt("index", currentIndex);
1089        // FIXME: This should just be a byte[][] instead of ArrayList but
1090        // Parcel.java does not have the code to handle multi-dimensional
1091        // arrays.
1092        ArrayList<byte[]> history = new ArrayList<byte[]>(size);
1093        for (int i = 0; i < size; i++) {
1094            WebHistoryItem item = list.getItemAtIndex(i);
1095            byte[] data = item.getFlattenedData();
1096            if (data == null) {
1097                // It would be very odd to not have any data for a given history
1098                // item. And we will fail to rebuild the history list without
1099                // flattened data.
1100                return null;
1101            }
1102            history.add(data);
1103        }
1104        outState.putSerializable("history", history);
1105        if (mCertificate != null) {
1106            outState.putBundle("certificate",
1107                               SslCertificate.saveState(mCertificate));
1108        }
1109        return list;
1110    }
1111
1112    /**
1113     * Save the current display data to the Bundle given. Used in conjunction
1114     * with {@link #saveState}.
1115     * @param b A Bundle to store the display data.
1116     * @param dest The file to store the serialized picture data. Will be
1117     *             overwritten with this WebView's picture data.
1118     * @return True if the picture was successfully saved.
1119     */
1120    public boolean savePicture(Bundle b, File dest) {
1121        if (dest == null || b == null) {
1122            return false;
1123        }
1124        final Picture p = capturePicture();
1125        try {
1126            final FileOutputStream out = new FileOutputStream(dest);
1127            p.writeToStream(out);
1128            out.close();
1129        } catch (FileNotFoundException e){
1130            e.printStackTrace();
1131        } catch (IOException e) {
1132            e.printStackTrace();
1133        } catch (RuntimeException e) {
1134            e.printStackTrace();
1135        }
1136        if (dest.length() > 0) {
1137            b.putInt("scrollX", mScrollX);
1138            b.putInt("scrollY", mScrollY);
1139            b.putFloat("scale", mActualScale);
1140            if (mInZoomOverview) {
1141                b.putFloat("lastScale", mLastScale);
1142            }
1143            return true;
1144        }
1145        return false;
1146    }
1147
1148    /**
1149     * Restore the display data that was save in {@link #savePicture}. Used in
1150     * conjunction with {@link #restoreState}.
1151     * @param b A Bundle containing the saved display data.
1152     * @param src The file where the picture data was stored.
1153     * @return True if the picture was successfully restored.
1154     */
1155    public boolean restorePicture(Bundle b, File src) {
1156        if (src == null || b == null) {
1157            return false;
1158        }
1159        if (src.exists()) {
1160            Picture p = null;
1161            try {
1162                final FileInputStream in = new FileInputStream(src);
1163                p = Picture.createFromStream(in);
1164                in.close();
1165            } catch (FileNotFoundException e){
1166                e.printStackTrace();
1167            } catch (RuntimeException e) {
1168                e.printStackTrace();
1169            } catch (IOException e) {
1170                e.printStackTrace();
1171            }
1172            if (p != null) {
1173                int sx = b.getInt("scrollX", 0);
1174                int sy = b.getInt("scrollY", 0);
1175                float scale = b.getFloat("scale", 1.0f);
1176                mDrawHistory = true;
1177                mHistoryPicture = p;
1178                mScrollX = sx;
1179                mScrollY = sy;
1180                mHistoryWidth = Math.round(p.getWidth() * scale);
1181                mHistoryHeight = Math.round(p.getHeight() * scale);
1182                // as getWidth() / getHeight() of the view are not
1183                // available yet, set up mActualScale, so that when
1184                // onSizeChanged() is called, the rest will be set
1185                // correctly
1186                mActualScale = scale;
1187                float lastScale = b.getFloat("lastScale", -1.0f);
1188                if (lastScale > 0) {
1189                    mInZoomOverview = true;
1190                    mLastScale = lastScale;
1191                } else {
1192                    mInZoomOverview = false;
1193                }
1194                invalidate();
1195                return true;
1196            }
1197        }
1198        return false;
1199    }
1200
1201    /**
1202     * Restore the state of this WebView from the given map used in
1203     * {@link android.app.Activity#onRestoreInstanceState}. This method should
1204     * be called to restore the state of the WebView before using the object. If
1205     * it is called after the WebView has had a chance to build state (load
1206     * pages, create a back/forward list, etc.) there may be undesirable
1207     * side-effects. Please note that this method no longer restores the
1208     * display data for this WebView. See {@link #savePicture} and {@link
1209     * #restorePicture} for saving and restoring the display data.
1210     * @param inState The incoming Bundle of state.
1211     * @return The restored back/forward list or null if restoreState failed.
1212     * @see #savePicture
1213     * @see #restorePicture
1214     */
1215    public WebBackForwardList restoreState(Bundle inState) {
1216        WebBackForwardList returnList = null;
1217        if (inState == null) {
1218            return returnList;
1219        }
1220        if (inState.containsKey("index") && inState.containsKey("history")) {
1221            mCertificate = SslCertificate.restoreState(
1222                inState.getBundle("certificate"));
1223
1224            final WebBackForwardList list = mCallbackProxy.getBackForwardList();
1225            final int index = inState.getInt("index");
1226            // We can't use a clone of the list because we need to modify the
1227            // shared copy, so synchronize instead to prevent concurrent
1228            // modifications.
1229            synchronized (list) {
1230                final List<byte[]> history =
1231                        (List<byte[]>) inState.getSerializable("history");
1232                final int size = history.size();
1233                // Check the index bounds so we don't crash in native code while
1234                // restoring the history index.
1235                if (index < 0 || index >= size) {
1236                    return null;
1237                }
1238                for (int i = 0; i < size; i++) {
1239                    byte[] data = history.remove(0);
1240                    if (data == null) {
1241                        // If we somehow have null data, we cannot reconstruct
1242                        // the item and thus our history list cannot be rebuilt.
1243                        return null;
1244                    }
1245                    WebHistoryItem item = new WebHistoryItem(data);
1246                    list.addHistoryItem(item);
1247                }
1248                // Grab the most recent copy to return to the caller.
1249                returnList = copyBackForwardList();
1250                // Update the copy to have the correct index.
1251                returnList.setCurrentIndex(index);
1252            }
1253            // Remove all pending messages because we are restoring previous
1254            // state.
1255            mWebViewCore.removeMessages();
1256            // Send a restore state message.
1257            mWebViewCore.sendMessage(EventHub.RESTORE_STATE, index);
1258        }
1259        return returnList;
1260    }
1261
1262    /**
1263     * Load the given url.
1264     * @param url The url of the resource to load.
1265     */
1266    public void loadUrl(String url) {
1267        if (url == null) {
1268            return;
1269        }
1270        switchOutDrawHistory();
1271        mWebViewCore.sendMessage(EventHub.LOAD_URL, url);
1272        clearTextEntry();
1273    }
1274
1275    /**
1276     * Load the url with postData using "POST" method into the WebView. If url
1277     * is not a network url, it will be loaded with {link
1278     * {@link #loadUrl(String)} instead.
1279     *
1280     * @param url The url of the resource to load.
1281     * @param postData The data will be passed to "POST" request.
1282     *
1283     * @hide pending API solidification
1284     */
1285    public void postUrl(String url, byte[] postData) {
1286        if (URLUtil.isNetworkUrl(url)) {
1287            switchOutDrawHistory();
1288            WebViewCore.PostUrlData arg = new WebViewCore.PostUrlData();
1289            arg.mUrl = url;
1290            arg.mPostData = postData;
1291            mWebViewCore.sendMessage(EventHub.POST_URL, arg);
1292            clearTextEntry();
1293        } else {
1294            loadUrl(url);
1295        }
1296    }
1297
1298    /**
1299     * Load the given data into the WebView. This will load the data into
1300     * WebView using the data: scheme. Content loaded through this mechanism
1301     * does not have the ability to load content from the network.
1302     * @param data A String of data in the given encoding.
1303     * @param mimeType The MIMEType of the data. i.e. text/html, image/jpeg
1304     * @param encoding The encoding of the data. i.e. utf-8, base64
1305     */
1306    public void loadData(String data, String mimeType, String encoding) {
1307        loadUrl("data:" + mimeType + ";" + encoding + "," + data);
1308    }
1309
1310    /**
1311     * Load the given data into the WebView, use the provided URL as the base
1312     * URL for the content. The base URL is the URL that represents the page
1313     * that is loaded through this interface. As such, it is used for the
1314     * history entry and to resolve any relative URLs. The failUrl is used if
1315     * browser fails to load the data provided. If it is empty or null, and the
1316     * load fails, then no history entry is created.
1317     * <p>
1318     * Note for post 1.0. Due to the change in the WebKit, the access to asset
1319     * files through "file:///android_asset/" for the sub resources is more
1320     * restricted. If you provide null or empty string as baseUrl, you won't be
1321     * able to access asset files. If the baseUrl is anything other than
1322     * http(s)/ftp(s)/about/javascript as scheme, you can access asset files for
1323     * sub resources.
1324     *
1325     * @param baseUrl Url to resolve relative paths with, if null defaults to
1326     *            "about:blank"
1327     * @param data A String of data in the given encoding.
1328     * @param mimeType The MIMEType of the data. i.e. text/html. If null,
1329     *            defaults to "text/html"
1330     * @param encoding The encoding of the data. i.e. utf-8, us-ascii
1331     * @param failUrl URL to use if the content fails to load or null.
1332     */
1333    public void loadDataWithBaseURL(String baseUrl, String data,
1334            String mimeType, String encoding, String failUrl) {
1335
1336        if (baseUrl != null && baseUrl.toLowerCase().startsWith("data:")) {
1337            loadData(data, mimeType, encoding);
1338            return;
1339        }
1340        switchOutDrawHistory();
1341        WebViewCore.BaseUrlData arg = new WebViewCore.BaseUrlData();
1342        arg.mBaseUrl = baseUrl;
1343        arg.mData = data;
1344        arg.mMimeType = mimeType;
1345        arg.mEncoding = encoding;
1346        arg.mFailUrl = failUrl;
1347        mWebViewCore.sendMessage(EventHub.LOAD_DATA, arg);
1348        clearTextEntry();
1349    }
1350
1351    /**
1352     * Stop the current load.
1353     */
1354    public void stopLoading() {
1355        // TODO: should we clear all the messages in the queue before sending
1356        // STOP_LOADING?
1357        switchOutDrawHistory();
1358        mWebViewCore.sendMessage(EventHub.STOP_LOADING);
1359    }
1360
1361    /**
1362     * Reload the current url.
1363     */
1364    public void reload() {
1365        switchOutDrawHistory();
1366        mWebViewCore.sendMessage(EventHub.RELOAD);
1367    }
1368
1369    /**
1370     * Return true if this WebView has a back history item.
1371     * @return True iff this WebView has a back history item.
1372     */
1373    public boolean canGoBack() {
1374        WebBackForwardList l = mCallbackProxy.getBackForwardList();
1375        synchronized (l) {
1376            if (l.getClearPending()) {
1377                return false;
1378            } else {
1379                return l.getCurrentIndex() > 0;
1380            }
1381        }
1382    }
1383
1384    /**
1385     * Go back in the history of this WebView.
1386     */
1387    public void goBack() {
1388        goBackOrForward(-1);
1389    }
1390
1391    /**
1392     * Return true if this WebView has a forward history item.
1393     * @return True iff this Webview has a forward history item.
1394     */
1395    public boolean canGoForward() {
1396        WebBackForwardList l = mCallbackProxy.getBackForwardList();
1397        synchronized (l) {
1398            if (l.getClearPending()) {
1399                return false;
1400            } else {
1401                return l.getCurrentIndex() < l.getSize() - 1;
1402            }
1403        }
1404    }
1405
1406    /**
1407     * Go forward in the history of this WebView.
1408     */
1409    public void goForward() {
1410        goBackOrForward(1);
1411    }
1412
1413    /**
1414     * Return true if the page can go back or forward the given
1415     * number of steps.
1416     * @param steps The negative or positive number of steps to move the
1417     *              history.
1418     */
1419    public boolean canGoBackOrForward(int steps) {
1420        WebBackForwardList l = mCallbackProxy.getBackForwardList();
1421        synchronized (l) {
1422            if (l.getClearPending()) {
1423                return false;
1424            } else {
1425                int newIndex = l.getCurrentIndex() + steps;
1426                return newIndex >= 0 && newIndex < l.getSize();
1427            }
1428        }
1429    }
1430
1431    /**
1432     * Go to the history item that is the number of steps away from
1433     * the current item. Steps is negative if backward and positive
1434     * if forward.
1435     * @param steps The number of steps to take back or forward in the back
1436     *              forward list.
1437     */
1438    public void goBackOrForward(int steps) {
1439        goBackOrForward(steps, false);
1440    }
1441
1442    private void goBackOrForward(int steps, boolean ignoreSnapshot) {
1443        // every time we go back or forward, we want to reset the
1444        // WebView certificate:
1445        // if the new site is secure, we will reload it and get a
1446        // new certificate set;
1447        // if the new site is not secure, the certificate must be
1448        // null, and that will be the case
1449        mCertificate = null;
1450        if (steps != 0) {
1451            clearTextEntry();
1452            mWebViewCore.sendMessage(EventHub.GO_BACK_FORWARD, steps,
1453                    ignoreSnapshot ? 1 : 0);
1454        }
1455    }
1456
1457    private boolean extendScroll(int y) {
1458        int finalY = mScroller.getFinalY();
1459        int newY = pinLocY(finalY + y);
1460        if (newY == finalY) return false;
1461        mScroller.setFinalY(newY);
1462        mScroller.extendDuration(computeDuration(0, y));
1463        return true;
1464    }
1465
1466    /**
1467     * Scroll the contents of the view up by half the view size
1468     * @param top true to jump to the top of the page
1469     * @return true if the page was scrolled
1470     */
1471    public boolean pageUp(boolean top) {
1472        if (mNativeClass == 0) {
1473            return false;
1474        }
1475        nativeClearCursor(); // start next trackball movement from page edge
1476        if (top) {
1477            // go to the top of the document
1478            return pinScrollTo(mScrollX, 0, true, 0);
1479        }
1480        // Page up
1481        int h = getHeight();
1482        int y;
1483        if (h > 2 * PAGE_SCROLL_OVERLAP) {
1484            y = -h + PAGE_SCROLL_OVERLAP;
1485        } else {
1486            y = -h / 2;
1487        }
1488        mUserScroll = true;
1489        return mScroller.isFinished() ? pinScrollBy(0, y, true, 0)
1490                : extendScroll(y);
1491    }
1492
1493    /**
1494     * Scroll the contents of the view down by half the page size
1495     * @param bottom true to jump to bottom of page
1496     * @return true if the page was scrolled
1497     */
1498    public boolean pageDown(boolean bottom) {
1499        if (mNativeClass == 0) {
1500            return false;
1501        }
1502        nativeClearCursor(); // start next trackball movement from page edge
1503        if (bottom) {
1504            return pinScrollTo(mScrollX, mContentHeight, true, 0);
1505        }
1506        // Page down.
1507        int h = getHeight();
1508        int y;
1509        if (h > 2 * PAGE_SCROLL_OVERLAP) {
1510            y = h - PAGE_SCROLL_OVERLAP;
1511        } else {
1512            y = h / 2;
1513        }
1514        mUserScroll = true;
1515        return mScroller.isFinished() ? pinScrollBy(0, y, true, 0)
1516                : extendScroll(y);
1517    }
1518
1519    /**
1520     * Clear the view so that onDraw() will draw nothing but white background,
1521     * and onMeasure() will return 0 if MeasureSpec is not MeasureSpec.EXACTLY
1522     */
1523    public void clearView() {
1524        mContentWidth = 0;
1525        mContentHeight = 0;
1526        mWebViewCore.sendMessage(EventHub.CLEAR_CONTENT);
1527    }
1528
1529    /**
1530     * Return a new picture that captures the current display of the webview.
1531     * This is a copy of the display, and will be unaffected if the webview
1532     * later loads a different URL.
1533     *
1534     * @return a picture containing the current contents of the view. Note this
1535     *         picture is of the entire document, and is not restricted to the
1536     *         bounds of the view.
1537     */
1538    public Picture capturePicture() {
1539        if (null == mWebViewCore) return null; // check for out of memory tab
1540        return mWebViewCore.copyContentPicture();
1541    }
1542
1543    /**
1544     *  Return true if the browser is displaying a TextView for text input.
1545     */
1546    private boolean inEditingMode() {
1547        return mWebTextView != null && mWebTextView.getParent() != null
1548                && mWebTextView.hasFocus();
1549    }
1550
1551    private void clearTextEntry() {
1552        if (inEditingMode()) {
1553            mWebTextView.remove();
1554        }
1555    }
1556
1557    /**
1558     * Return the current scale of the WebView
1559     * @return The current scale.
1560     */
1561    public float getScale() {
1562        return mActualScale;
1563    }
1564
1565    /**
1566     * Set the initial scale for the WebView. 0 means default. If
1567     * {@link WebSettings#getUseWideViewPort()} is true, it zooms out all the
1568     * way. Otherwise it starts with 100%. If initial scale is greater than 0,
1569     * WebView starts will this value as initial scale.
1570     *
1571     * @param scaleInPercent The initial scale in percent.
1572     */
1573    public void setInitialScale(int scaleInPercent) {
1574        mInitialScale = scaleInPercent;
1575    }
1576
1577    /**
1578     * Invoke the graphical zoom picker widget for this WebView. This will
1579     * result in the zoom widget appearing on the screen to control the zoom
1580     * level of this WebView.
1581     */
1582    public void invokeZoomPicker() {
1583        if (!getSettings().supportZoom()) {
1584            Log.w(LOGTAG, "This WebView doesn't support zoom.");
1585            return;
1586        }
1587        clearTextEntry();
1588        if (getSettings().getBuiltInZoomControls()) {
1589            mZoomButtonsController.setVisible(true);
1590        } else {
1591            mPrivateHandler.removeCallbacks(mZoomControlRunnable);
1592            mPrivateHandler.postDelayed(mZoomControlRunnable,
1593                    ZOOM_CONTROLS_TIMEOUT);
1594        }
1595    }
1596
1597    /**
1598     * Return a HitTestResult based on the current cursor node. If a HTML::a tag
1599     * is found and the anchor has a non-javascript url, the HitTestResult type
1600     * is set to SRC_ANCHOR_TYPE and the url is set in the "extra" field. If the
1601     * anchor does not have a url or if it is a javascript url, the type will
1602     * be UNKNOWN_TYPE and the url has to be retrieved through
1603     * {@link #requestFocusNodeHref} asynchronously. If a HTML::img tag is
1604     * found, the HitTestResult type is set to IMAGE_TYPE and the url is set in
1605     * the "extra" field. A type of
1606     * SRC_IMAGE_ANCHOR_TYPE indicates an anchor with a url that has an image as
1607     * a child node. If a phone number is found, the HitTestResult type is set
1608     * to PHONE_TYPE and the phone number is set in the "extra" field of
1609     * HitTestResult. If a map address is found, the HitTestResult type is set
1610     * to GEO_TYPE and the address is set in the "extra" field of HitTestResult.
1611     * If an email address is found, the HitTestResult type is set to EMAIL_TYPE
1612     * and the email is set in the "extra" field of HitTestResult. Otherwise,
1613     * HitTestResult type is set to UNKNOWN_TYPE.
1614     */
1615    public HitTestResult getHitTestResult() {
1616        if (mNativeClass == 0) {
1617            return null;
1618        }
1619
1620        HitTestResult result = new HitTestResult();
1621        if (nativeHasCursorNode()) {
1622            if (nativeCursorIsTextInput()) {
1623                result.setType(HitTestResult.EDIT_TEXT_TYPE);
1624            } else {
1625                String text = nativeCursorText();
1626                if (text != null) {
1627                    if (text.startsWith(SCHEME_TEL)) {
1628                        result.setType(HitTestResult.PHONE_TYPE);
1629                        result.setExtra(text.substring(SCHEME_TEL.length()));
1630                    } else if (text.startsWith(SCHEME_MAILTO)) {
1631                        result.setType(HitTestResult.EMAIL_TYPE);
1632                        result.setExtra(text.substring(SCHEME_MAILTO.length()));
1633                    } else if (text.startsWith(SCHEME_GEO)) {
1634                        result.setType(HitTestResult.GEO_TYPE);
1635                        result.setExtra(URLDecoder.decode(text
1636                                .substring(SCHEME_GEO.length())));
1637                    } else if (nativeCursorIsAnchor()) {
1638                        result.setType(HitTestResult.SRC_ANCHOR_TYPE);
1639                        result.setExtra(text);
1640                    }
1641                }
1642            }
1643        }
1644        int type = result.getType();
1645        if (type == HitTestResult.UNKNOWN_TYPE
1646                || type == HitTestResult.SRC_ANCHOR_TYPE) {
1647            // Now check to see if it is an image.
1648            int contentX = viewToContent((int) mLastTouchX + mScrollX);
1649            int contentY = viewToContent((int) mLastTouchY + mScrollY);
1650            String text = nativeImageURI(contentX, contentY);
1651            if (text != null) {
1652                result.setType(type == HitTestResult.UNKNOWN_TYPE ?
1653                        HitTestResult.IMAGE_TYPE :
1654                        HitTestResult.SRC_IMAGE_ANCHOR_TYPE);
1655                result.setExtra(text);
1656            }
1657        }
1658        return result;
1659    }
1660
1661    /**
1662     * Request the href of an anchor element due to getFocusNodePath returning
1663     * "href." If hrefMsg is null, this method returns immediately and does not
1664     * dispatch hrefMsg to its target.
1665     *
1666     * @param hrefMsg This message will be dispatched with the result of the
1667     *            request as the data member with "url" as key. The result can
1668     *            be null.
1669     */
1670    // FIXME: API change required to change the name of this function.  We now
1671    // look at the cursor node, and not the focus node.  Also, what is
1672    // getFocusNodePath?
1673    public void requestFocusNodeHref(Message hrefMsg) {
1674        if (hrefMsg == null || mNativeClass == 0) {
1675            return;
1676        }
1677        if (nativeCursorIsAnchor()) {
1678            mWebViewCore.sendMessage(EventHub.REQUEST_CURSOR_HREF,
1679                    nativeCursorFramePointer(), nativeCursorNodePointer(),
1680                    hrefMsg);
1681        }
1682    }
1683
1684    /**
1685     * Request the url of the image last touched by the user. msg will be sent
1686     * to its target with a String representing the url as its object.
1687     *
1688     * @param msg This message will be dispatched with the result of the request
1689     *            as the data member with "url" as key. The result can be null.
1690     */
1691    public void requestImageRef(Message msg) {
1692        int contentX = viewToContent((int) mLastTouchX + mScrollX);
1693        int contentY = viewToContent((int) mLastTouchY + mScrollY);
1694        String ref = nativeImageURI(contentX, contentY);
1695        Bundle data = msg.getData();
1696        data.putString("url", ref);
1697        msg.setData(data);
1698        msg.sendToTarget();
1699    }
1700
1701    private static int pinLoc(int x, int viewMax, int docMax) {
1702//        Log.d(LOGTAG, "-- pinLoc " + x + " " + viewMax + " " + docMax);
1703        if (docMax < viewMax) {   // the doc has room on the sides for "blank"
1704            // pin the short document to the top/left of the screen
1705            x = 0;
1706//            Log.d(LOGTAG, "--- center " + x);
1707        } else if (x < 0) {
1708            x = 0;
1709//            Log.d(LOGTAG, "--- zero");
1710        } else if (x + viewMax > docMax) {
1711            x = docMax - viewMax;
1712//            Log.d(LOGTAG, "--- pin " + x);
1713        }
1714        return x;
1715    }
1716
1717    // Expects x in view coordinates
1718    private int pinLocX(int x) {
1719        return pinLoc(x, getViewWidth(), computeHorizontalScrollRange());
1720    }
1721
1722    // Expects y in view coordinates
1723    private int pinLocY(int y) {
1724        return pinLoc(y, getViewHeight(), computeVerticalScrollRange());
1725    }
1726
1727    /*package*/ int viewToContent(int x) {
1728        return Math.round(x * mInvActualScale);
1729    }
1730
1731    /*package*/ int contentToView(int x) {
1732        return Math.round(x * mActualScale);
1733    }
1734
1735    // Called by JNI to invalidate the View, given rectangle coordinates in
1736    // content space
1737    private void viewInvalidate(int l, int t, int r, int b) {
1738        invalidate(contentToView(l), contentToView(t), contentToView(r),
1739                contentToView(b));
1740    }
1741
1742    // Called by JNI to invalidate the View after a delay, given rectangle
1743    // coordinates in content space
1744    private void viewInvalidateDelayed(long delay, int l, int t, int r, int b) {
1745        postInvalidateDelayed(delay, contentToView(l), contentToView(t),
1746                contentToView(r), contentToView(b));
1747    }
1748
1749    private Rect contentToView(Rect x) {
1750        return new Rect(contentToView(x.left), contentToView(x.top)
1751                , contentToView(x.right), contentToView(x.bottom));
1752    }
1753
1754    /* call from webcoreview.draw(), so we're still executing in the UI thread
1755    */
1756    private void recordNewContentSize(int w, int h, boolean updateLayout) {
1757
1758        // premature data from webkit, ignore
1759        if ((w | h) == 0) {
1760            return;
1761        }
1762
1763        // don't abort a scroll animation if we didn't change anything
1764        if (mContentWidth != w || mContentHeight != h) {
1765            // record new dimensions
1766            mContentWidth = w;
1767            mContentHeight = h;
1768            // If history Picture is drawn, don't update scroll. They will be
1769            // updated when we get out of that mode.
1770            if (!mDrawHistory) {
1771                // repin our scroll, taking into account the new content size
1772                int oldX = mScrollX;
1773                int oldY = mScrollY;
1774                mScrollX = pinLocX(mScrollX);
1775                mScrollY = pinLocY(mScrollY);
1776                // android.util.Log.d("skia", "recordNewContentSize -
1777                // abortAnimation");
1778                mScroller.abortAnimation(); // just in case
1779                if (oldX != mScrollX || oldY != mScrollY) {
1780                    sendOurVisibleRect();
1781                }
1782            }
1783        }
1784        contentSizeChanged(updateLayout);
1785    }
1786
1787    private void setNewZoomScale(float scale, boolean force) {
1788        if (scale < mMinZoomScale) {
1789            scale = mMinZoomScale;
1790        } else if (scale > mMaxZoomScale) {
1791            scale = mMaxZoomScale;
1792        }
1793        if (scale != mActualScale || force) {
1794            if (mDrawHistory) {
1795                // If history Picture is drawn, don't update scroll. They will
1796                // be updated when we get out of that mode.
1797                if (scale != mActualScale && !mPreviewZoomOnly) {
1798                    mCallbackProxy.onScaleChanged(mActualScale, scale);
1799                }
1800                mActualScale = scale;
1801                mInvActualScale = 1 / scale;
1802                if (!mPreviewZoomOnly) {
1803                    sendViewSizeZoom();
1804                }
1805            } else {
1806                // update our scroll so we don't appear to jump
1807                // i.e. keep the center of the doc in the center of the view
1808
1809                int oldX = mScrollX;
1810                int oldY = mScrollY;
1811                float ratio = scale * mInvActualScale;   // old inverse
1812                float sx = ratio * oldX + (ratio - 1) * mZoomCenterX;
1813                float sy = ratio * oldY + (ratio - 1) * mZoomCenterY;
1814
1815                // now update our new scale and inverse
1816                if (scale != mActualScale && !mPreviewZoomOnly) {
1817                    mCallbackProxy.onScaleChanged(mActualScale, scale);
1818                }
1819                mActualScale = scale;
1820                mInvActualScale = 1 / scale;
1821
1822                // Scale all the child views
1823                mViewManager.scaleAll();
1824
1825                // as we don't have animation for scaling, don't do animation
1826                // for scrolling, as it causes weird intermediate state
1827                //        pinScrollTo(Math.round(sx), Math.round(sy));
1828                mScrollX = pinLocX(Math.round(sx));
1829                mScrollY = pinLocY(Math.round(sy));
1830
1831                if (!mPreviewZoomOnly) {
1832                    sendViewSizeZoom();
1833                    sendOurVisibleRect();
1834                }
1835            }
1836        }
1837    }
1838
1839    // Used to avoid sending many visible rect messages.
1840    private Rect mLastVisibleRectSent;
1841    private Rect mLastGlobalRect;
1842
1843    private Rect sendOurVisibleRect() {
1844        Rect rect = new Rect();
1845        calcOurContentVisibleRect(rect);
1846        // Rect.equals() checks for null input.
1847        if (!rect.equals(mLastVisibleRectSent)) {
1848            Point pos = new Point(rect.left, rect.top);
1849            mWebViewCore.sendMessage(EventHub.SET_SCROLL_OFFSET,
1850                    nativeMoveGeneration(), 0, pos);
1851            mLastVisibleRectSent = rect;
1852        }
1853        Rect globalRect = new Rect();
1854        if (getGlobalVisibleRect(globalRect)
1855                && !globalRect.equals(mLastGlobalRect)) {
1856            if (DebugFlags.WEB_VIEW) {
1857                Log.v(LOGTAG, "sendOurVisibleRect=(" + globalRect.left + ","
1858                        + globalRect.top + ",r=" + globalRect.right + ",b="
1859                        + globalRect.bottom);
1860            }
1861            // TODO: the global offset is only used by windowRect()
1862            // in ChromeClientAndroid ; other clients such as touch
1863            // and mouse events could return view + screen relative points.
1864            mWebViewCore.sendMessage(EventHub.SET_GLOBAL_BOUNDS, globalRect);
1865            mLastGlobalRect = globalRect;
1866        }
1867        return rect;
1868    }
1869
1870    // Sets r to be the visible rectangle of our webview in view coordinates
1871    private void calcOurVisibleRect(Rect r) {
1872        Point p = new Point();
1873        getGlobalVisibleRect(r, p);
1874        r.offset(-p.x, -p.y);
1875        if (mFindIsUp) {
1876            r.bottom -= FIND_HEIGHT;
1877        }
1878    }
1879
1880    // Sets r to be our visible rectangle in content coordinates
1881    private void calcOurContentVisibleRect(Rect r) {
1882        calcOurVisibleRect(r);
1883        r.left = viewToContent(r.left);
1884        r.top = viewToContent(r.top);
1885        r.right = viewToContent(r.right);
1886        r.bottom = viewToContent(r.bottom);
1887    }
1888
1889    static class ViewSizeData {
1890        int mWidth;
1891        int mHeight;
1892        int mTextWrapWidth;
1893        float mScale;
1894    }
1895
1896    /**
1897     * Compute unzoomed width and height, and if they differ from the last
1898     * values we sent, send them to webkit (to be used has new viewport)
1899     *
1900     * @return true if new values were sent
1901     */
1902    private boolean sendViewSizeZoom() {
1903        int viewWidth = getViewWidth();
1904        int newWidth = Math.round(viewWidth * mInvActualScale);
1905        int newHeight = Math.round(getViewHeight() * mInvActualScale);
1906        /*
1907         * Because the native side may have already done a layout before the
1908         * View system was able to measure us, we have to send a height of 0 to
1909         * remove excess whitespace when we grow our width. This will trigger a
1910         * layout and a change in content size. This content size change will
1911         * mean that contentSizeChanged will either call this method directly or
1912         * indirectly from onSizeChanged.
1913         */
1914        if (newWidth > mLastWidthSent && mWrapContent) {
1915            newHeight = 0;
1916        }
1917        // Avoid sending another message if the dimensions have not changed.
1918        if (newWidth != mLastWidthSent || newHeight != mLastHeightSent) {
1919            ViewSizeData data = new ViewSizeData();
1920            data.mWidth = newWidth;
1921            data.mHeight = newHeight;
1922            // while in zoom overview mode, the text are wrapped to the screen
1923            // width matching mLastScale. So that we don't trigger re-flow while
1924            // toggling between overview mode and normal mode.
1925            data.mTextWrapWidth = mInZoomOverview ? Math.round(viewWidth
1926                    / mLastScale) : newWidth;
1927            data.mScale = mActualScale;
1928            mWebViewCore.sendMessage(EventHub.VIEW_SIZE_CHANGED, data);
1929            mLastWidthSent = newWidth;
1930            mLastHeightSent = newHeight;
1931            return true;
1932        }
1933        return false;
1934    }
1935
1936    @Override
1937    protected int computeHorizontalScrollRange() {
1938        if (mDrawHistory) {
1939            return mHistoryWidth;
1940        } else {
1941            return contentToView(mContentWidth);
1942        }
1943    }
1944
1945    // Make sure this stays in sync with the actual height of the FindDialog.
1946    private static final int FIND_HEIGHT = 79;
1947
1948    @Override
1949    protected int computeVerticalScrollRange() {
1950        if (mDrawHistory) {
1951            return mHistoryHeight;
1952        } else {
1953            int height = contentToView(mContentHeight);
1954            if (mFindIsUp) {
1955                height += FIND_HEIGHT;
1956            }
1957            return height;
1958        }
1959    }
1960
1961    /**
1962     * Get the url for the current page. This is not always the same as the url
1963     * passed to WebViewClient.onPageStarted because although the load for
1964     * that url has begun, the current page may not have changed.
1965     * @return The url for the current page.
1966     */
1967    public String getUrl() {
1968        WebHistoryItem h = mCallbackProxy.getBackForwardList().getCurrentItem();
1969        return h != null ? h.getUrl() : null;
1970    }
1971
1972    /**
1973     * Get the original url for the current page. This is not always the same
1974     * as the url passed to WebViewClient.onPageStarted because although the
1975     * load for that url has begun, the current page may not have changed.
1976     * Also, there may have been redirects resulting in a different url to that
1977     * originally requested.
1978     * @return The url that was originally requested for the current page.
1979     */
1980    public String getOriginalUrl() {
1981        WebHistoryItem h = mCallbackProxy.getBackForwardList().getCurrentItem();
1982        return h != null ? h.getOriginalUrl() : null;
1983    }
1984
1985    /**
1986     * Get the title for the current page. This is the title of the current page
1987     * until WebViewClient.onReceivedTitle is called.
1988     * @return The title for the current page.
1989     */
1990    public String getTitle() {
1991        WebHistoryItem h = mCallbackProxy.getBackForwardList().getCurrentItem();
1992        return h != null ? h.getTitle() : null;
1993    }
1994
1995    /**
1996     * Get the favicon for the current page. This is the favicon of the current
1997     * page until WebViewClient.onReceivedIcon is called.
1998     * @return The favicon for the current page.
1999     */
2000    public Bitmap getFavicon() {
2001        WebHistoryItem h = mCallbackProxy.getBackForwardList().getCurrentItem();
2002        return h != null ? h.getFavicon() : null;
2003    }
2004
2005    /**
2006     * Get the touch icon url for the apple-touch-icon <link> element.
2007     * @hide
2008     */
2009    public String getTouchIconUrl() {
2010        WebHistoryItem h = mCallbackProxy.getBackForwardList().getCurrentItem();
2011        return h != null ? h.getTouchIconUrl() : null;
2012    }
2013
2014    /**
2015     * Get the progress for the current page.
2016     * @return The progress for the current page between 0 and 100.
2017     */
2018    public int getProgress() {
2019        return mCallbackProxy.getProgress();
2020    }
2021
2022    /**
2023     * @return the height of the HTML content.
2024     */
2025    public int getContentHeight() {
2026        return mContentHeight;
2027    }
2028
2029    /**
2030     * Pause all layout, parsing, and javascript timers for all webviews. This
2031     * is a global requests, not restricted to just this webview. This can be
2032     * useful if the application has been paused.
2033     */
2034    public void pauseTimers() {
2035        mWebViewCore.sendMessage(EventHub.PAUSE_TIMERS);
2036    }
2037
2038    /**
2039     * Resume all layout, parsing, and javascript timers for all webviews.
2040     * This will resume dispatching all timers.
2041     */
2042    public void resumeTimers() {
2043        mWebViewCore.sendMessage(EventHub.RESUME_TIMERS);
2044    }
2045
2046    /**
2047     * Call this to pause any extra processing associated with this view and
2048     * its associated DOM/plugins/javascript/etc. For example, if the view is
2049     * taken offscreen, this could be called to reduce unnecessary CPU and/or
2050     * network traffic. When the view is again "active", call onResume().
2051     *
2052     * Note that this differs from pauseTimers(), which affects all views/DOMs
2053     * @hide
2054     */
2055    public void onPause() {
2056        if (!mIsPaused) {
2057            mIsPaused = true;
2058            mWebViewCore.sendMessage(EventHub.ON_PAUSE);
2059        }
2060    }
2061
2062    /**
2063     * Call this to balanace a previous call to onPause()
2064     * @hide
2065     */
2066    public void onResume() {
2067        if (mIsPaused) {
2068            mIsPaused = false;
2069            mWebViewCore.sendMessage(EventHub.ON_RESUME);
2070        }
2071    }
2072
2073    /**
2074     * Returns true if the view is paused, meaning onPause() was called. Calling
2075     * onResume() sets the paused state back to false.
2076     * @hide
2077     */
2078    public boolean isPaused() {
2079        return mIsPaused;
2080    }
2081
2082    /**
2083     * Call this to inform the view that memory is low so that it can
2084     * free any available memory.
2085     * @hide
2086     */
2087    public void freeMemory() {
2088        mWebViewCore.sendMessage(EventHub.FREE_MEMORY);
2089    }
2090
2091    /**
2092     * Clear the resource cache. Note that the cache is per-application, so
2093     * this will clear the cache for all WebViews used.
2094     *
2095     * @param includeDiskFiles If false, only the RAM cache is cleared.
2096     */
2097    public void clearCache(boolean includeDiskFiles) {
2098        // Note: this really needs to be a static method as it clears cache for all
2099        // WebView. But we need mWebViewCore to send message to WebCore thread, so
2100        // we can't make this static.
2101        mWebViewCore.sendMessage(EventHub.CLEAR_CACHE,
2102                includeDiskFiles ? 1 : 0, 0);
2103    }
2104
2105    /**
2106     * Make sure that clearing the form data removes the adapter from the
2107     * currently focused textfield if there is one.
2108     */
2109    public void clearFormData() {
2110        if (inEditingMode()) {
2111            AutoCompleteAdapter adapter = null;
2112            mWebTextView.setAdapterCustom(adapter);
2113        }
2114    }
2115
2116    /**
2117     * Tell the WebView to clear its internal back/forward list.
2118     */
2119    public void clearHistory() {
2120        mCallbackProxy.getBackForwardList().setClearPending();
2121        mWebViewCore.sendMessage(EventHub.CLEAR_HISTORY);
2122    }
2123
2124    /**
2125     * Clear the SSL preferences table stored in response to proceeding with SSL
2126     * certificate errors.
2127     */
2128    public void clearSslPreferences() {
2129        mWebViewCore.sendMessage(EventHub.CLEAR_SSL_PREF_TABLE);
2130    }
2131
2132    /**
2133     * Return the WebBackForwardList for this WebView. This contains the
2134     * back/forward list for use in querying each item in the history stack.
2135     * This is a copy of the private WebBackForwardList so it contains only a
2136     * snapshot of the current state. Multiple calls to this method may return
2137     * different objects. The object returned from this method will not be
2138     * updated to reflect any new state.
2139     */
2140    public WebBackForwardList copyBackForwardList() {
2141        return mCallbackProxy.getBackForwardList().clone();
2142    }
2143
2144    /*
2145     * Highlight and scroll to the next occurance of String in findAll.
2146     * Wraps the page infinitely, and scrolls.  Must be called after
2147     * calling findAll.
2148     *
2149     * @param forward Direction to search.
2150     */
2151    public void findNext(boolean forward) {
2152        nativeFindNext(forward);
2153    }
2154
2155    /*
2156     * Find all instances of find on the page and highlight them.
2157     * @param find  String to find.
2158     * @return int  The number of occurances of the String "find"
2159     *              that were found.
2160     */
2161    public int findAll(String find) {
2162        mFindIsUp = true;
2163        int result = nativeFindAll(find.toLowerCase(), find.toUpperCase());
2164        invalidate();
2165        return result;
2166    }
2167
2168    // Used to know whether the find dialog is open.  Affects whether
2169    // or not we draw the highlights for matches.
2170    private boolean mFindIsUp;
2171
2172    /**
2173     * Return the first substring consisting of the address of a physical
2174     * location. Currently, only addresses in the United States are detected,
2175     * and consist of:
2176     * - a house number
2177     * - a street name
2178     * - a street type (Road, Circle, etc), either spelled out or abbreviated
2179     * - a city name
2180     * - a state or territory, either spelled out or two-letter abbr.
2181     * - an optional 5 digit or 9 digit zip code.
2182     *
2183     * All names must be correctly capitalized, and the zip code, if present,
2184     * must be valid for the state. The street type must be a standard USPS
2185     * spelling or abbreviation. The state or territory must also be spelled
2186     * or abbreviated using USPS standards. The house number may not exceed
2187     * five digits.
2188     * @param addr The string to search for addresses.
2189     *
2190     * @return the address, or if no address is found, return null.
2191     */
2192    public static String findAddress(String addr) {
2193        return findAddress(addr, false);
2194    }
2195
2196    /**
2197     * @hide
2198     * Return the first substring consisting of the address of a physical
2199     * location. Currently, only addresses in the United States are detected,
2200     * and consist of:
2201     * - a house number
2202     * - a street name
2203     * - a street type (Road, Circle, etc), either spelled out or abbreviated
2204     * - a city name
2205     * - a state or territory, either spelled out or two-letter abbr.
2206     * - an optional 5 digit or 9 digit zip code.
2207     *
2208     * Names are optionally capitalized, and the zip code, if present,
2209     * must be valid for the state. The street type must be a standard USPS
2210     * spelling or abbreviation. The state or territory must also be spelled
2211     * or abbreviated using USPS standards. The house number may not exceed
2212     * five digits.
2213     * @param addr The string to search for addresses.
2214     * @param caseInsensitive addr Set to true to make search ignore case.
2215     *
2216     * @return the address, or if no address is found, return null.
2217     */
2218    public static String findAddress(String addr, boolean caseInsensitive) {
2219        return WebViewCore.nativeFindAddress(addr, caseInsensitive);
2220    }
2221
2222    /*
2223     * Clear the highlighting surrounding text matches created by findAll.
2224     */
2225    public void clearMatches() {
2226        mFindIsUp = false;
2227        nativeSetFindIsDown();
2228        // Now that the dialog has been removed, ensure that we scroll to a
2229        // location that is not beyond the end of the page.
2230        pinScrollTo(mScrollX, mScrollY, false, 0);
2231        invalidate();
2232    }
2233
2234    /**
2235     * Query the document to see if it contains any image references. The
2236     * message object will be dispatched with arg1 being set to 1 if images
2237     * were found and 0 if the document does not reference any images.
2238     * @param response The message that will be dispatched with the result.
2239     */
2240    public void documentHasImages(Message response) {
2241        if (response == null) {
2242            return;
2243        }
2244        mWebViewCore.sendMessage(EventHub.DOC_HAS_IMAGES, response);
2245    }
2246
2247    @Override
2248    public void computeScroll() {
2249        if (mScroller.computeScrollOffset()) {
2250            int oldX = mScrollX;
2251            int oldY = mScrollY;
2252            mScrollX = mScroller.getCurrX();
2253            mScrollY = mScroller.getCurrY();
2254            postInvalidate();  // So we draw again
2255            if (oldX != mScrollX || oldY != mScrollY) {
2256                // as onScrollChanged() is not called, sendOurVisibleRect()
2257                // needs to be call explicitly
2258                sendOurVisibleRect();
2259            }
2260        } else {
2261            super.computeScroll();
2262        }
2263    }
2264
2265    private static int computeDuration(int dx, int dy) {
2266        int distance = Math.max(Math.abs(dx), Math.abs(dy));
2267        int duration = distance * 1000 / STD_SPEED;
2268        return Math.min(duration, MAX_DURATION);
2269    }
2270
2271    // helper to pin the scrollBy parameters (already in view coordinates)
2272    // returns true if the scroll was changed
2273    private boolean pinScrollBy(int dx, int dy, boolean animate, int animationDuration) {
2274        return pinScrollTo(mScrollX + dx, mScrollY + dy, animate, animationDuration);
2275    }
2276
2277    // helper to pin the scrollTo parameters (already in view coordinates)
2278    // returns true if the scroll was changed
2279    private boolean pinScrollTo(int x, int y, boolean animate, int animationDuration) {
2280        x = pinLocX(x);
2281        y = pinLocY(y);
2282        int dx = x - mScrollX;
2283        int dy = y - mScrollY;
2284
2285        if ((dx | dy) == 0) {
2286            return false;
2287        }
2288
2289        if (true && animate) {
2290            //        Log.d(LOGTAG, "startScroll: " + dx + " " + dy);
2291
2292            mScroller.startScroll(mScrollX, mScrollY, dx, dy,
2293                    animationDuration > 0 ? animationDuration : computeDuration(dx, dy));
2294            invalidate();
2295        } else {
2296            mScroller.abortAnimation(); // just in case
2297            scrollTo(x, y);
2298        }
2299        return true;
2300    }
2301
2302    // Scale from content to view coordinates, and pin.
2303    // Also called by jni webview.cpp
2304    private boolean setContentScrollBy(int cx, int cy, boolean animate) {
2305        if (mDrawHistory) {
2306            // disallow WebView to change the scroll position as History Picture
2307            // is used in the view system.
2308            // TODO: as we switchOutDrawHistory when trackball or navigation
2309            // keys are hit, this should be safe. Right?
2310            return false;
2311        }
2312        cx = contentToView(cx);
2313        cy = contentToView(cy);
2314        if (mHeightCanMeasure) {
2315            // move our visible rect according to scroll request
2316            if (cy != 0) {
2317                Rect tempRect = new Rect();
2318                calcOurVisibleRect(tempRect);
2319                tempRect.offset(cx, cy);
2320                requestRectangleOnScreen(tempRect);
2321            }
2322            // FIXME: We scroll horizontally no matter what because currently
2323            // ScrollView and ListView will not scroll horizontally.
2324            // FIXME: Why do we only scroll horizontally if there is no
2325            // vertical scroll?
2326//                Log.d(LOGTAG, "setContentScrollBy cy=" + cy);
2327            return cy == 0 && cx != 0 && pinScrollBy(cx, 0, animate, 0);
2328        } else {
2329            return pinScrollBy(cx, cy, animate, 0);
2330        }
2331    }
2332
2333    // scale from content to view coordinates, and pin
2334    // return true if pin caused the final x/y different than the request cx/cy;
2335    // return false if the view scroll to the exact position as it is requested.
2336    private boolean setContentScrollTo(int cx, int cy) {
2337        if (mDrawHistory) {
2338            // disallow WebView to change the scroll position as History Picture
2339            // is used in the view system.
2340            // One known case where this is called is that WebCore tries to
2341            // restore the scroll position. As history Picture already uses the
2342            // saved scroll position, it is ok to skip this.
2343            return false;
2344        }
2345        int vx = contentToView(cx);
2346        int vy = contentToView(cy);
2347//        Log.d(LOGTAG, "content scrollTo [" + cx + " " + cy + "] view=[" +
2348//                      vx + " " + vy + "]");
2349        pinScrollTo(vx, vy, false, 0);
2350        if (mScrollX != vx || mScrollY != vy) {
2351            return true;
2352        } else {
2353            return false;
2354        }
2355    }
2356
2357    // scale from content to view coordinates, and pin
2358    private void spawnContentScrollTo(int cx, int cy) {
2359        if (mDrawHistory) {
2360            // disallow WebView to change the scroll position as History Picture
2361            // is used in the view system.
2362            return;
2363        }
2364        int vx = contentToView(cx);
2365        int vy = contentToView(cy);
2366        pinScrollTo(vx, vy, true, 0);
2367    }
2368
2369    /**
2370     * These are from webkit, and are in content coordinate system (unzoomed)
2371     */
2372    private void contentSizeChanged(boolean updateLayout) {
2373        // suppress 0,0 since we usually see real dimensions soon after
2374        // this avoids drawing the prev content in a funny place. If we find a
2375        // way to consolidate these notifications, this check may become
2376        // obsolete
2377        if ((mContentWidth | mContentHeight) == 0) {
2378            return;
2379        }
2380
2381        if (mHeightCanMeasure) {
2382            if (getMeasuredHeight() != contentToView(mContentHeight)
2383                    && updateLayout) {
2384                requestLayout();
2385            }
2386        } else if (mWidthCanMeasure) {
2387            if (getMeasuredWidth() != contentToView(mContentWidth)
2388                    && updateLayout) {
2389                requestLayout();
2390            }
2391        } else {
2392            // If we don't request a layout, try to send our view size to the
2393            // native side to ensure that WebCore has the correct dimensions.
2394            sendViewSizeZoom();
2395        }
2396    }
2397
2398    /**
2399     * Set the WebViewClient that will receive various notifications and
2400     * requests. This will replace the current handler.
2401     * @param client An implementation of WebViewClient.
2402     */
2403    public void setWebViewClient(WebViewClient client) {
2404        mCallbackProxy.setWebViewClient(client);
2405    }
2406
2407    /**
2408     * Register the interface to be used when content can not be handled by
2409     * the rendering engine, and should be downloaded instead. This will replace
2410     * the current handler.
2411     * @param listener An implementation of DownloadListener.
2412     */
2413    public void setDownloadListener(DownloadListener listener) {
2414        mCallbackProxy.setDownloadListener(listener);
2415    }
2416
2417    /**
2418     * Set the chrome handler. This is an implementation of WebChromeClient for
2419     * use in handling Javascript dialogs, favicons, titles, and the progress.
2420     * This will replace the current handler.
2421     * @param client An implementation of WebChromeClient.
2422     */
2423    public void setWebChromeClient(WebChromeClient client) {
2424        mCallbackProxy.setWebChromeClient(client);
2425    }
2426
2427    /**
2428     * Gets the chrome handler.
2429     * @return the current WebChromeClient instance.
2430     *
2431     * @hide API council approval.
2432     */
2433    public WebChromeClient getWebChromeClient() {
2434        return mCallbackProxy.getWebChromeClient();
2435    }
2436
2437    /**
2438     * Set the Picture listener. This is an interface used to receive
2439     * notifications of a new Picture.
2440     * @param listener An implementation of WebView.PictureListener.
2441     */
2442    public void setPictureListener(PictureListener listener) {
2443        mPictureListener = listener;
2444    }
2445
2446    /**
2447     * {@hide}
2448     */
2449    /* FIXME: Debug only! Remove for SDK! */
2450    public void externalRepresentation(Message callback) {
2451        mWebViewCore.sendMessage(EventHub.REQUEST_EXT_REPRESENTATION, callback);
2452    }
2453
2454    /**
2455     * {@hide}
2456     */
2457    /* FIXME: Debug only! Remove for SDK! */
2458    public void documentAsText(Message callback) {
2459        mWebViewCore.sendMessage(EventHub.REQUEST_DOC_AS_TEXT, callback);
2460    }
2461
2462    /**
2463     * Use this function to bind an object to Javascript so that the
2464     * methods can be accessed from Javascript.
2465     * <p><strong>IMPORTANT:</strong>
2466     * <ul>
2467     * <li> Using addJavascriptInterface() allows JavaScript to control your
2468     * application. This can be a very useful feature or a dangerous security
2469     * issue. When the HTML in the WebView is untrustworthy (for example, part
2470     * or all of the HTML is provided by some person or process), then an
2471     * attacker could inject HTML that will execute your code and possibly any
2472     * code of the attacker's choosing.<br>
2473     * Do not use addJavascriptInterface() unless all of the HTML in this
2474     * WebView was written by you.</li>
2475     * <li> The Java object that is bound runs in another thread and not in
2476     * the thread that it was constructed in.</li>
2477     * </ul></p>
2478     * @param obj The class instance to bind to Javascript
2479     * @param interfaceName The name to used to expose the class in Javascript
2480     */
2481    public void addJavascriptInterface(Object obj, String interfaceName) {
2482        WebViewCore.JSInterfaceData arg = new WebViewCore.JSInterfaceData();
2483        arg.mObject = obj;
2484        arg.mInterfaceName = interfaceName;
2485        mWebViewCore.sendMessage(EventHub.ADD_JS_INTERFACE, arg);
2486    }
2487
2488    /**
2489     * Return the WebSettings object used to control the settings for this
2490     * WebView.
2491     * @return A WebSettings object that can be used to control this WebView's
2492     *         settings.
2493     */
2494    public WebSettings getSettings() {
2495        return mWebViewCore.getSettings();
2496    }
2497
2498   /**
2499    * Return the list of currently loaded plugins.
2500    * @return The list of currently loaded plugins.
2501    */
2502    public static synchronized PluginList getPluginList() {
2503        if (sPluginList == null) {
2504            sPluginList = new PluginList();
2505        }
2506        return sPluginList;
2507    }
2508
2509   /**
2510     * TODO: need to add @Deprecated
2511    */
2512    public void refreshPlugins(boolean reloadOpenPages) {
2513        PluginManager.getInstance(mContext).refreshPlugins(reloadOpenPages);
2514    }
2515
2516    //-------------------------------------------------------------------------
2517    // Override View methods
2518    //-------------------------------------------------------------------------
2519
2520    @Override
2521    protected void finalize() throws Throwable {
2522        destroy();
2523    }
2524
2525    @Override
2526    protected void onDraw(Canvas canvas) {
2527        // if mNativeClass is 0, the WebView has been destroyed. Do nothing.
2528        if (mNativeClass == 0) {
2529            return;
2530        }
2531        if (mWebViewCore.mEndScaleZoom) {
2532            mWebViewCore.mEndScaleZoom = false;
2533            if (mTouchMode >= FIRST_SCROLL_ZOOM
2534                    && mTouchMode <= LAST_SCROLL_ZOOM) {
2535                setHorizontalScrollBarEnabled(true);
2536                setVerticalScrollBarEnabled(true);
2537                mTouchMode = TOUCH_DONE_MODE;
2538            }
2539        }
2540        int sc = canvas.save();
2541        if (mTouchMode >= FIRST_SCROLL_ZOOM && mTouchMode <= LAST_SCROLL_ZOOM) {
2542            scrollZoomDraw(canvas);
2543        } else {
2544            // Update the buttons in the picture, so when we draw the picture
2545            // to the screen, they are in the correct state.
2546            // Tell the native side if user is a) touching the screen,
2547            // b) pressing the trackball down, or c) pressing the enter key
2548            // If the cursor is on a button, we need to draw it in the pressed
2549            // state.
2550            // If mNativeClass is 0, we should not reach here, so we do not
2551            // need to check it again.
2552            nativeRecordButtons(hasFocus() && hasWindowFocus(),
2553                    mTouchMode == TOUCH_SHORTPRESS_START_MODE
2554                    || mTrackballDown || mGotCenterDown, false);
2555            drawCoreAndCursorRing(canvas, mBackgroundColor, mDrawCursorRing);
2556        }
2557        canvas.restoreToCount(sc);
2558
2559        if (AUTO_REDRAW_HACK && mAutoRedraw) {
2560            invalidate();
2561        }
2562    }
2563
2564    @Override
2565    public void setLayoutParams(ViewGroup.LayoutParams params) {
2566        if (params.height == LayoutParams.WRAP_CONTENT) {
2567            mWrapContent = true;
2568        }
2569        super.setLayoutParams(params);
2570    }
2571
2572    @Override
2573    public boolean performLongClick() {
2574        if (mNativeClass != 0 && nativeCursorIsTextInput()) {
2575            // Send the click so that the textfield is in focus
2576            // FIXME: When we start respecting changes to the native textfield's
2577            // selection, need to make sure that this does not change it.
2578            mWebViewCore.sendMessage(EventHub.CLICK, nativeCursorFramePointer(),
2579                    nativeCursorNodePointer());
2580            rebuildWebTextView();
2581        }
2582        if (inEditingMode()) {
2583            return mWebTextView.performLongClick();
2584        } else {
2585            return super.performLongClick();
2586        }
2587    }
2588
2589    private void drawCoreAndCursorRing(Canvas canvas, int color,
2590        boolean drawCursorRing) {
2591        if (mDrawHistory) {
2592            canvas.scale(mActualScale, mActualScale);
2593            canvas.drawPicture(mHistoryPicture);
2594            return;
2595        }
2596
2597        boolean animateZoom = mZoomScale != 0;
2598        boolean animateScroll = !mScroller.isFinished()
2599                || mVelocityTracker != null;
2600        if (animateZoom) {
2601            float zoomScale;
2602            int interval = (int) (SystemClock.uptimeMillis() - mZoomStart);
2603            if (interval < ZOOM_ANIMATION_LENGTH) {
2604                float ratio = (float) interval / ZOOM_ANIMATION_LENGTH;
2605                zoomScale = 1.0f / (mInvInitialZoomScale
2606                        + (mInvFinalZoomScale - mInvInitialZoomScale) * ratio);
2607                invalidate();
2608            } else {
2609                zoomScale = mZoomScale;
2610                // set mZoomScale to be 0 as we have done animation
2611                mZoomScale = 0;
2612            }
2613            float scale = zoomScale * mInvInitialZoomScale;
2614            int tx = Math.round(scale * (mInitialScrollX + mZoomCenterX)
2615                    - mZoomCenterX);
2616            tx = -pinLoc(tx, getViewWidth(), Math.round(mContentWidth
2617                    * zoomScale)) + mScrollX;
2618            int ty = Math.round(scale * (mInitialScrollY + mZoomCenterY)
2619                    - mZoomCenterY);
2620            ty = -pinLoc(ty, getViewHeight(), Math.round(mContentHeight
2621                    * zoomScale)) + mScrollY;
2622            canvas.translate(tx, ty);
2623            canvas.scale(zoomScale, zoomScale);
2624        } else {
2625            canvas.scale(mActualScale, mActualScale);
2626        }
2627
2628        mWebViewCore.drawContentPicture(canvas, color, animateZoom,
2629                animateScroll);
2630
2631        if (mNativeClass == 0) return;
2632        if (mShiftIsPressed) {
2633            if (mTouchSelection) {
2634                nativeDrawSelectionRegion(canvas);
2635            } else {
2636                nativeDrawSelection(canvas, mSelectX, mSelectY,
2637                        mExtendSelection);
2638            }
2639        } else if (drawCursorRing) {
2640            if (mTouchMode == TOUCH_SHORTPRESS_START_MODE) {
2641                mTouchMode = TOUCH_SHORTPRESS_MODE;
2642                HitTestResult hitTest = getHitTestResult();
2643                if (hitTest != null &&
2644                        hitTest.mType != HitTestResult.UNKNOWN_TYPE) {
2645                    mPrivateHandler.sendMessageDelayed(mPrivateHandler
2646                            .obtainMessage(SWITCH_TO_LONGPRESS),
2647                            LONG_PRESS_TIMEOUT);
2648                }
2649            }
2650            nativeDrawCursorRing(canvas);
2651        }
2652        // When the FindDialog is up, only draw the matches if we are not in
2653        // the process of scrolling them into view.
2654        if (mFindIsUp && !animateScroll) {
2655            nativeDrawMatches(canvas);
2656        }
2657    }
2658
2659    private float scrollZoomGridScale(float invScale) {
2660        float griddedInvScale = (int) (invScale * SCROLL_ZOOM_GRID)
2661            / (float) SCROLL_ZOOM_GRID;
2662        return 1.0f / griddedInvScale;
2663    }
2664
2665    private float scrollZoomX(float scale) {
2666        int width = getViewWidth();
2667        float maxScrollZoomX = mContentWidth * scale - width;
2668        int maxX = mContentWidth - width;
2669        return -(maxScrollZoomX > 0 ? mZoomScrollX * maxScrollZoomX / maxX
2670                : maxScrollZoomX / 2);
2671    }
2672
2673    private float scrollZoomY(float scale) {
2674        int height = getViewHeight();
2675        float maxScrollZoomY = mContentHeight * scale - height;
2676        int maxY = mContentHeight - height;
2677        return -(maxScrollZoomY > 0 ? mZoomScrollY * maxScrollZoomY / maxY
2678                : maxScrollZoomY / 2);
2679    }
2680
2681    private void drawMagnifyFrame(Canvas canvas, Rect frame, Paint paint) {
2682        final float ADORNMENT_LEN = 16.0f;
2683        float width = frame.width();
2684        float height = frame.height();
2685        Path path = new Path();
2686        path.moveTo(-ADORNMENT_LEN, -ADORNMENT_LEN);
2687        path.lineTo(0, 0);
2688        path.lineTo(width, 0);
2689        path.lineTo(width + ADORNMENT_LEN, -ADORNMENT_LEN);
2690        path.moveTo(-ADORNMENT_LEN, height + ADORNMENT_LEN);
2691        path.lineTo(0, height);
2692        path.lineTo(width, height);
2693        path.lineTo(width + ADORNMENT_LEN, height + ADORNMENT_LEN);
2694        path.moveTo(0, 0);
2695        path.lineTo(0, height);
2696        path.moveTo(width, 0);
2697        path.lineTo(width, height);
2698        path.offset(frame.left, frame.top);
2699        canvas.drawPath(path, paint);
2700    }
2701
2702    // Returns frame surrounding magified portion of screen while
2703    // scroll-zoom is enabled. The frame is also used to center the
2704    // zoom-in zoom-out points at the start and end of the animation.
2705    private Rect scrollZoomFrame(int width, int height, float halfScale) {
2706        Rect scrollFrame = new Rect();
2707        scrollFrame.set(mZoomScrollX, mZoomScrollY,
2708                mZoomScrollX + width, mZoomScrollY + height);
2709        if (mContentWidth * mZoomScrollLimit < width) {
2710            float scale = zoomFrameScaleX(width, halfScale, 1.0f);
2711            float offsetX = (width * scale - width) * 0.5f;
2712            scrollFrame.left -= offsetX;
2713            scrollFrame.right += offsetX;
2714        }
2715        if (mContentHeight * mZoomScrollLimit < height) {
2716            float scale = zoomFrameScaleY(height, halfScale, 1.0f);
2717            float offsetY = (height * scale - height) * 0.5f;
2718            scrollFrame.top -= offsetY;
2719            scrollFrame.bottom += offsetY;
2720        }
2721        return scrollFrame;
2722    }
2723
2724    private float zoomFrameScaleX(int width, float halfScale, float noScale) {
2725        // mContentWidth > width > mContentWidth * mZoomScrollLimit
2726        if (mContentWidth <= width) {
2727            return halfScale;
2728        }
2729        float part = (width - mContentWidth * mZoomScrollLimit)
2730                / (width * (1 - mZoomScrollLimit));
2731        return halfScale * part + noScale * (1.0f - part);
2732    }
2733
2734    private float zoomFrameScaleY(int height, float halfScale, float noScale) {
2735        if (mContentHeight <= height) {
2736            return halfScale;
2737        }
2738        float part = (height - mContentHeight * mZoomScrollLimit)
2739                / (height * (1 - mZoomScrollLimit));
2740        return halfScale * part + noScale * (1.0f - part);
2741    }
2742
2743    private float scrollZoomMagScale(float invScale) {
2744        return (invScale * 2 + mInvActualScale) / 3;
2745    }
2746
2747    private void scrollZoomDraw(Canvas canvas) {
2748        float invScale = mZoomScrollInvLimit;
2749        int elapsed = 0;
2750        if (mTouchMode != SCROLL_ZOOM_OUT) {
2751            elapsed = (int) Math.min(System.currentTimeMillis()
2752                - mZoomScrollStart, SCROLL_ZOOM_DURATION);
2753            float transitionScale = (mZoomScrollInvLimit - mInvActualScale)
2754                    * elapsed / SCROLL_ZOOM_DURATION;
2755            if (mTouchMode == SCROLL_ZOOM_ANIMATION_OUT) {
2756                invScale = mInvActualScale + transitionScale;
2757            } else { /* if (mTouchMode == SCROLL_ZOOM_ANIMATION_IN) */
2758                invScale = mZoomScrollInvLimit - transitionScale;
2759            }
2760        }
2761        float scale = scrollZoomGridScale(invScale);
2762        invScale = 1.0f / scale;
2763        int width = getViewWidth();
2764        int height = getViewHeight();
2765        float halfScale = scrollZoomMagScale(invScale);
2766        Rect scrollFrame = scrollZoomFrame(width, height, halfScale);
2767        if (elapsed == SCROLL_ZOOM_DURATION) {
2768            if (mTouchMode == SCROLL_ZOOM_ANIMATION_IN) {
2769                setHorizontalScrollBarEnabled(true);
2770                setVerticalScrollBarEnabled(true);
2771                rebuildWebTextView();
2772                scrollTo((int) (scrollFrame.centerX() * mActualScale)
2773                        - (width >> 1), (int) (scrollFrame.centerY()
2774                        * mActualScale) - (height >> 1));
2775                mTouchMode = TOUCH_DONE_MODE;
2776                // Show all the child views once we are done.
2777                mViewManager.showAll();
2778            } else {
2779                mTouchMode = SCROLL_ZOOM_OUT;
2780            }
2781        }
2782        float newX = scrollZoomX(scale);
2783        float newY = scrollZoomY(scale);
2784        if (DebugFlags.WEB_VIEW) {
2785            Log.v(LOGTAG, "scrollZoomDraw scale=" + scale + " + (" + newX
2786                    + ", " + newY + ") mZoomScroll=(" + mZoomScrollX + ", "
2787                    + mZoomScrollY + ")" + " invScale=" + invScale + " scale="
2788                    + scale);
2789        }
2790        canvas.translate(newX, newY);
2791        canvas.scale(scale, scale);
2792        boolean animating = mTouchMode != SCROLL_ZOOM_OUT;
2793        if (mDrawHistory) {
2794            int sc = canvas.save(Canvas.CLIP_SAVE_FLAG);
2795            Rect clip = new Rect(0, 0, mHistoryPicture.getWidth(),
2796                    mHistoryPicture.getHeight());
2797            canvas.clipRect(clip, Region.Op.DIFFERENCE);
2798            canvas.drawColor(mBackgroundColor);
2799            canvas.restoreToCount(sc);
2800            canvas.drawPicture(mHistoryPicture);
2801        } else {
2802            mWebViewCore.drawContentPicture(canvas, mBackgroundColor,
2803                    animating, true);
2804        }
2805        if (mTouchMode == TOUCH_DONE_MODE) {
2806            return;
2807        }
2808        Paint paint = new Paint(Paint.ANTI_ALIAS_FLAG);
2809        paint.setStyle(Paint.Style.STROKE);
2810        paint.setStrokeWidth(30.0f);
2811        paint.setARGB(0x50, 0, 0, 0);
2812        int maxX = mContentWidth - width;
2813        int maxY = mContentHeight - height;
2814        if (true) { // experiment: draw hint to place finger off magnify area
2815            drawMagnifyFrame(canvas, scrollFrame, paint);
2816        } else {
2817            canvas.drawRect(scrollFrame, paint);
2818        }
2819        int sc = canvas.save();
2820        canvas.clipRect(scrollFrame);
2821        float halfX = (float) mZoomScrollX / maxX;
2822        if (mContentWidth * mZoomScrollLimit < width) {
2823            halfX = zoomFrameScaleX(width, 0.5f, halfX);
2824        }
2825        float halfY = (float) mZoomScrollY / maxY;
2826        if (mContentHeight * mZoomScrollLimit < height) {
2827            halfY = zoomFrameScaleY(height, 0.5f, halfY);
2828        }
2829        canvas.scale(halfScale, halfScale, mZoomScrollX + width * halfX
2830                , mZoomScrollY + height * halfY);
2831        if (DebugFlags.WEB_VIEW) {
2832            Log.v(LOGTAG, "scrollZoomDraw halfScale=" + halfScale + " w/h=("
2833                    + width + ", " + height + ") half=(" + halfX + ", "
2834                    + halfY + ")");
2835        }
2836        if (mDrawHistory) {
2837            canvas.drawPicture(mHistoryPicture);
2838        } else {
2839            mWebViewCore.drawContentPicture(canvas, mBackgroundColor,
2840                    animating, false);
2841        }
2842        canvas.restoreToCount(sc);
2843        if (mTouchMode != SCROLL_ZOOM_OUT) {
2844            invalidate();
2845        }
2846    }
2847
2848    private void zoomScrollTap(float x, float y) {
2849        float scale = scrollZoomGridScale(mZoomScrollInvLimit);
2850        float left = scrollZoomX(scale);
2851        float top = scrollZoomY(scale);
2852        int width = getViewWidth();
2853        int height = getViewHeight();
2854        x -= width * scale / 2;
2855        y -= height * scale / 2;
2856        mZoomScrollX = Math.min(mContentWidth - width
2857                , Math.max(0, (int) ((x - left) / scale)));
2858        mZoomScrollY = Math.min(mContentHeight - height
2859                , Math.max(0, (int) ((y - top) / scale)));
2860        if (DebugFlags.WEB_VIEW) {
2861            Log.v(LOGTAG, "zoomScrollTap scale=" + scale + " + (" + left
2862                    + ", " + top + ") mZoomScroll=(" + mZoomScrollX + ", "
2863                    + mZoomScrollY + ")" + " x=" + x + " y=" + y);
2864        }
2865    }
2866
2867    /**
2868     * @hide
2869     */
2870    public boolean canZoomScrollOut() {
2871        if (mContentWidth == 0 || mContentHeight == 0) {
2872            return false;
2873        }
2874        int width = getViewWidth();
2875        int height = getViewHeight();
2876        float x = (float) width / (float) mContentWidth;
2877        float y = (float) height / (float) mContentHeight;
2878        mZoomScrollLimit = Math.max(DEFAULT_MIN_ZOOM_SCALE, Math.min(x, y));
2879        mZoomScrollInvLimit = 1.0f / mZoomScrollLimit;
2880        if (DebugFlags.WEB_VIEW) {
2881            Log.v(LOGTAG, "canZoomScrollOut"
2882                    + " mInvActualScale=" + mInvActualScale
2883                    + " mZoomScrollLimit=" + mZoomScrollLimit
2884                    + " mZoomScrollInvLimit=" + mZoomScrollInvLimit
2885                    + " mContentWidth=" + mContentWidth
2886                    + " mContentHeight=" + mContentHeight
2887                    );
2888        }
2889        // don't zoom out unless magnify area is at least half as wide
2890        // or tall as content
2891        float limit = mZoomScrollLimit * 2;
2892        return mContentWidth >= width * limit
2893                || mContentHeight >= height * limit;
2894    }
2895
2896    private void startZoomScrollOut() {
2897        setHorizontalScrollBarEnabled(false);
2898        setVerticalScrollBarEnabled(false);
2899        if (getSettings().getBuiltInZoomControls()) {
2900            if (mZoomButtonsController.isVisible()) {
2901                mZoomButtonsController.setVisible(false);
2902            }
2903        } else {
2904            if (mZoomControlRunnable != null) {
2905                mPrivateHandler.removeCallbacks(mZoomControlRunnable);
2906            }
2907            if (mZoomControls != null) {
2908                mZoomControls.hide();
2909            }
2910        }
2911        int width = getViewWidth();
2912        int height = getViewHeight();
2913        int halfW = width >> 1;
2914        mLastTouchX = halfW;
2915        int halfH = height >> 1;
2916        mLastTouchY = halfH;
2917        mScroller.abortAnimation();
2918        mZoomScrollStart = System.currentTimeMillis();
2919        Rect zoomFrame = scrollZoomFrame(width, height
2920                , scrollZoomMagScale(mZoomScrollInvLimit));
2921        mZoomScrollX = Math.max(0, (int) ((mScrollX + halfW) * mInvActualScale)
2922                - (zoomFrame.width() >> 1));
2923        mZoomScrollY = Math.max(0, (int) ((mScrollY + halfH) * mInvActualScale)
2924                - (zoomFrame.height() >> 1));
2925        scrollTo(0, 0); // triggers inval, starts animation
2926        clearTextEntry();
2927        if (DebugFlags.WEB_VIEW) {
2928            Log.v(LOGTAG, "startZoomScrollOut mZoomScroll=("
2929                    + mZoomScrollX + ", " + mZoomScrollY +")");
2930        }
2931    }
2932
2933    /**
2934     * @hide
2935     */
2936    public void zoomScrollOut() {
2937        if (canZoomScrollOut() == false) {
2938            mTouchMode = TOUCH_DONE_MODE;
2939            return;
2940        }
2941        // Hide the child views while in this mode.
2942        mViewManager.hideAll();
2943        startZoomScrollOut();
2944        mTouchMode = SCROLL_ZOOM_ANIMATION_OUT;
2945        invalidate();
2946    }
2947
2948    private void moveZoomScrollWindow(float x, float y) {
2949        if (Math.abs(x - mLastZoomScrollRawX) < 1.5f
2950                && Math.abs(y - mLastZoomScrollRawY) < 1.5f) {
2951            return;
2952        }
2953        mLastZoomScrollRawX = x;
2954        mLastZoomScrollRawY = y;
2955        int oldX = mZoomScrollX;
2956        int oldY = mZoomScrollY;
2957        int width = getViewWidth();
2958        int height = getViewHeight();
2959        int maxZoomX = mContentWidth - width;
2960        if (maxZoomX > 0) {
2961            int maxScreenX = width - (int) Math.ceil(width
2962                    * mZoomScrollLimit) - SCROLL_ZOOM_FINGER_BUFFER;
2963            if (DebugFlags.WEB_VIEW) {
2964                Log.v(LOGTAG, "moveZoomScrollWindow-X"
2965                        + " maxScreenX=" + maxScreenX + " width=" + width
2966                        + " mZoomScrollLimit=" + mZoomScrollLimit + " x=" + x);
2967            }
2968            x += maxScreenX * mLastScrollX / maxZoomX - mLastTouchX;
2969            x *= Math.max(maxZoomX / maxScreenX, mZoomScrollInvLimit);
2970            mZoomScrollX = Math.max(0, Math.min(maxZoomX, (int) x));
2971        }
2972        int maxZoomY = mContentHeight - height;
2973        if (maxZoomY > 0) {
2974            int maxScreenY = height - (int) Math.ceil(height
2975                    * mZoomScrollLimit) - SCROLL_ZOOM_FINGER_BUFFER;
2976            if (DebugFlags.WEB_VIEW) {
2977                Log.v(LOGTAG, "moveZoomScrollWindow-Y"
2978                        + " maxScreenY=" + maxScreenY + " height=" + height
2979                        + " mZoomScrollLimit=" + mZoomScrollLimit + " y=" + y);
2980            }
2981            y += maxScreenY * mLastScrollY / maxZoomY - mLastTouchY;
2982            y *= Math.max(maxZoomY / maxScreenY, mZoomScrollInvLimit);
2983            mZoomScrollY = Math.max(0, Math.min(maxZoomY, (int) y));
2984        }
2985        if (oldX != mZoomScrollX || oldY != mZoomScrollY) {
2986            invalidate();
2987        }
2988        if (DebugFlags.WEB_VIEW) {
2989            Log.v(LOGTAG, "moveZoomScrollWindow"
2990                    + " scrollTo=(" + mZoomScrollX + ", " + mZoomScrollY + ")"
2991                    + " mLastTouch=(" + mLastTouchX + ", " + mLastTouchY + ")"
2992                    + " maxZoom=(" + maxZoomX + ", " + maxZoomY + ")"
2993                    + " last=("+mLastScrollX+", "+mLastScrollY+")"
2994                    + " x=" + x + " y=" + y);
2995        }
2996    }
2997
2998    private void setZoomScrollIn() {
2999        mZoomScrollStart = System.currentTimeMillis();
3000    }
3001
3002    private float mZoomScrollLimit;
3003    private float mZoomScrollInvLimit;
3004    private int mLastScrollX;
3005    private int mLastScrollY;
3006    private long mZoomScrollStart;
3007    private int mZoomScrollX;
3008    private int mZoomScrollY;
3009    private float mLastZoomScrollRawX = -1000.0f;
3010    private float mLastZoomScrollRawY = -1000.0f;
3011    // The zoomed scale varies from 1.0 to DEFAULT_MIN_ZOOM_SCALE == 0.25.
3012    // The zoom animation duration SCROLL_ZOOM_DURATION == 0.5.
3013    // Two pressures compete for gridding; a high frame rate (e.g. 20 fps)
3014    // and minimizing font cache allocations (fewer frames is better).
3015    // A SCROLL_ZOOM_GRID of 6 permits about 20 zoom levels over 0.5 seconds:
3016    // the inverse of: 1.0, 1.16, 1.33, 1.5, 1.67, 1.84, 2.0, etc. to 4.0
3017    private static final int SCROLL_ZOOM_GRID = 6;
3018    private static final int SCROLL_ZOOM_DURATION = 500;
3019    // Make it easier to get to the bottom of a document by reserving a 32
3020    // pixel buffer, for when the starting drag is a bit below the bottom of
3021    // the magnify frame.
3022    private static final int SCROLL_ZOOM_FINGER_BUFFER = 32;
3023
3024    // draw history
3025    private boolean mDrawHistory = false;
3026    private Picture mHistoryPicture = null;
3027    private int mHistoryWidth = 0;
3028    private int mHistoryHeight = 0;
3029
3030    // Only check the flag, can be called from WebCore thread
3031    boolean drawHistory() {
3032        return mDrawHistory;
3033    }
3034
3035    // Should only be called in UI thread
3036    void switchOutDrawHistory() {
3037        if (null == mWebViewCore) return; // CallbackProxy may trigger this
3038        if (mDrawHistory && mWebViewCore.pictureReady()) {
3039            mDrawHistory = false;
3040            invalidate();
3041            int oldScrollX = mScrollX;
3042            int oldScrollY = mScrollY;
3043            mScrollX = pinLocX(mScrollX);
3044            mScrollY = pinLocY(mScrollY);
3045            if (oldScrollX != mScrollX || oldScrollY != mScrollY) {
3046                mUserScroll = false;
3047                mWebViewCore.sendMessage(EventHub.SYNC_SCROLL, oldScrollX,
3048                        oldScrollY);
3049            }
3050            sendOurVisibleRect();
3051        }
3052    }
3053
3054    WebViewCore.CursorData cursorData() {
3055        WebViewCore.CursorData result = new WebViewCore.CursorData();
3056        result.mMoveGeneration = nativeMoveGeneration();
3057        result.mFrame = nativeCursorFramePointer();
3058        Point position = nativeCursorPosition();
3059        result.mX = position.x;
3060        result.mY = position.y;
3061        return result;
3062    }
3063
3064    /**
3065     *  Delete text from start to end in the focused textfield. If there is no
3066     *  focus, or if start == end, silently fail.  If start and end are out of
3067     *  order, swap them.
3068     *  @param  start   Beginning of selection to delete.
3069     *  @param  end     End of selection to delete.
3070     */
3071    /* package */ void deleteSelection(int start, int end) {
3072        mTextGeneration++;
3073        WebViewCore.DeleteSelectionData data
3074                = new WebViewCore.DeleteSelectionData();
3075        data.mStart = start;
3076        data.mEnd = end;
3077        data.mTextGeneration = mTextGeneration;
3078        mWebViewCore.sendMessage(EventHub.DELETE_SELECTION, data);
3079    }
3080
3081    /**
3082     *  Set the selection to (start, end) in the focused textfield. If start and
3083     *  end are out of order, swap them.
3084     *  @param  start   Beginning of selection.
3085     *  @param  end     End of selection.
3086     */
3087    /* package */ void setSelection(int start, int end) {
3088        mWebViewCore.sendMessage(EventHub.SET_SELECTION, start, end);
3089    }
3090
3091    // Called by JNI when a touch event puts a textfield into focus.
3092    private void displaySoftKeyboard(boolean isTextView) {
3093        InputMethodManager imm = (InputMethodManager)
3094                getContext().getSystemService(Context.INPUT_METHOD_SERVICE);
3095
3096        if (isTextView) {
3097            imm.showSoftInput(mWebTextView, 0);
3098            // Now we need to fake a touch event to place the cursor where the
3099            // user touched.
3100            AbsoluteLayout.LayoutParams lp = (AbsoluteLayout.LayoutParams)
3101                    mWebTextView.getLayoutParams();
3102            if (lp != null) {
3103                // Take the last touch and adjust for the location of the
3104                // WebTextView.
3105                float x = mLastTouchX + (float) (mScrollX - lp.x);
3106                float y = mLastTouchY + (float) (mScrollY - lp.y);
3107                mWebTextView.fakeTouchEvent(x, y);
3108            }
3109            if (mInZoomOverview) {
3110                // if in zoom overview mode, call doDoubleTap() to bring it back
3111                // to normal mode so that user can enter text.
3112                doDoubleTap();
3113            }
3114        }
3115        else { // used by plugins
3116            imm.showSoftInput(this, 0);
3117        }
3118    }
3119
3120    // Called by WebKit to instruct the UI to hide the keyboard
3121    private void hideSoftKeyboard() {
3122        InputMethodManager imm = (InputMethodManager)
3123                getContext().getSystemService(Context.INPUT_METHOD_SERVICE);
3124
3125        imm.hideSoftInputFromWindow(this.getWindowToken(), 0);
3126    }
3127
3128    /*
3129     * This method checks the current focus and cursor and potentially rebuilds
3130     * mWebTextView to have the appropriate properties, such as password,
3131     * multiline, and what text it contains.  It also removes it if necessary.
3132     */
3133    /* package */ void rebuildWebTextView() {
3134        // If the WebView does not have focus, do nothing until it gains focus.
3135        if (!hasFocus() && (null == mWebTextView || !mWebTextView.hasFocus())
3136                || (mTouchMode >= FIRST_SCROLL_ZOOM
3137                && mTouchMode <= LAST_SCROLL_ZOOM)) {
3138            return;
3139        }
3140        boolean alreadyThere = inEditingMode();
3141        // inEditingMode can only return true if mWebTextView is non-null,
3142        // so we can safely call remove() if (alreadyThere)
3143        if (0 == mNativeClass || !nativeFocusCandidateIsTextInput()) {
3144            if (alreadyThere) {
3145                mWebTextView.remove();
3146            }
3147            return;
3148        }
3149        // At this point, we know we have found an input field, so go ahead
3150        // and create the WebTextView if necessary.
3151        if (mWebTextView == null) {
3152            mWebTextView = new WebTextView(mContext, WebView.this);
3153            // Initialize our generation number.
3154            mTextGeneration = 0;
3155        }
3156        mWebTextView.setTextSize(contentToView(nativeFocusCandidateTextSize()));
3157        Rect visibleRect = new Rect();
3158        calcOurContentVisibleRect(visibleRect);
3159        // Note that sendOurVisibleRect calls viewToContent, so the coordinates
3160        // should be in content coordinates.
3161        Rect bounds = nativeFocusCandidateNodeBounds();
3162        if (!Rect.intersects(bounds, visibleRect)) {
3163            mWebTextView.bringIntoView();
3164        }
3165        String text = nativeFocusCandidateText();
3166        int nodePointer = nativeFocusCandidatePointer();
3167        if (alreadyThere && mWebTextView.isSameTextField(nodePointer)) {
3168            // It is possible that we have the same textfield, but it has moved,
3169            // i.e. In the case of opening/closing the screen.
3170            // In that case, we need to set the dimensions, but not the other
3171            // aspects.
3172            // We also need to restore the selection, which gets wrecked by
3173            // calling setTextEntryRect.
3174            Spannable spannable = (Spannable) mWebTextView.getText();
3175            int start = Selection.getSelectionStart(spannable);
3176            int end = Selection.getSelectionEnd(spannable);
3177            // If the text has been changed by webkit, update it.  However, if
3178            // there has been more UI text input, ignore it.  We will receive
3179            // another update when that text is recognized.
3180            if (text != null && !text.equals(spannable.toString())
3181                    && nativeTextGeneration() == mTextGeneration) {
3182                mWebTextView.setTextAndKeepSelection(text);
3183            } else {
3184                Selection.setSelection(spannable, start, end);
3185            }
3186        } else {
3187            Rect vBox = contentToView(bounds);
3188            mWebTextView.setRect(vBox.left, vBox.top, vBox.width(),
3189                    vBox.height());
3190            mWebTextView.setGravity(nativeFocusCandidateIsRtlText() ?
3191                    Gravity.RIGHT : Gravity.NO_GRAVITY);
3192            // this needs to be called before update adapter thread starts to
3193            // ensure the mWebTextView has the same node pointer
3194            mWebTextView.setNodePointer(nodePointer);
3195            int maxLength = -1;
3196            boolean isTextField = nativeFocusCandidateIsTextField();
3197            if (isTextField) {
3198                maxLength = nativeFocusCandidateMaxLength();
3199                String name = nativeFocusCandidateName();
3200                if (mWebViewCore.getSettings().getSaveFormData()
3201                        && name != null) {
3202                    Message update = mPrivateHandler.obtainMessage(
3203                            REQUEST_FORM_DATA, nodePointer);
3204                    RequestFormData updater = new RequestFormData(name,
3205                            getUrl(), update);
3206                    Thread t = new Thread(updater);
3207                    t.start();
3208                }
3209            }
3210            mWebTextView.setMaxLength(maxLength);
3211            AutoCompleteAdapter adapter = null;
3212            mWebTextView.setAdapterCustom(adapter);
3213            mWebTextView.setSingleLine(isTextField);
3214            mWebTextView.setInPassword(nativeFocusCandidateIsPassword());
3215            if (null == text) {
3216                mWebTextView.setText("", 0, 0);
3217                if (DebugFlags.WEB_VIEW) {
3218                    Log.v(LOGTAG, "rebuildWebTextView null == text");
3219                }
3220            } else {
3221                // Change to true to enable the old style behavior, where
3222                // entering a textfield/textarea always set the selection to the
3223                // whole field.  This was desirable for the case where the user
3224                // intends to scroll past the field using the trackball.
3225                // However, it causes a problem when replying to emails - the
3226                // user expects the cursor to be at the beginning of the
3227                // textarea.  Testing out a new behavior, where textfields set
3228                // selection at the end, and textareas at the beginning.
3229                if (false) {
3230                    mWebTextView.setText(text, 0, text.length());
3231                } else if (isTextField) {
3232                    int length = text.length();
3233                    mWebTextView.setText(text, length, length);
3234                    if (DebugFlags.WEB_VIEW) {
3235                        Log.v(LOGTAG, "rebuildWebTextView length=" + length);
3236                    }
3237                } else {
3238                    mWebTextView.setText(text, 0, 0);
3239                    if (DebugFlags.WEB_VIEW) {
3240                        Log.v(LOGTAG, "rebuildWebTextView !isTextField");
3241                    }
3242                }
3243            }
3244            mWebTextView.requestFocus();
3245        }
3246    }
3247
3248    /*
3249     * This class requests an Adapter for the WebTextView which shows past
3250     * entries stored in the database.  It is a Runnable so that it can be done
3251     * in its own thread, without slowing down the UI.
3252     */
3253    private class RequestFormData implements Runnable {
3254        private String mName;
3255        private String mUrl;
3256        private Message mUpdateMessage;
3257
3258        public RequestFormData(String name, String url, Message msg) {
3259            mName = name;
3260            mUrl = url;
3261            mUpdateMessage = msg;
3262        }
3263
3264        public void run() {
3265            ArrayList<String> pastEntries = mDatabase.getFormData(mUrl, mName);
3266            if (pastEntries.size() > 0) {
3267                AutoCompleteAdapter adapter = new
3268                        AutoCompleteAdapter(mContext, pastEntries);
3269                mUpdateMessage.obj = adapter;
3270                mUpdateMessage.sendToTarget();
3271            }
3272        }
3273    }
3274
3275    // This is used to determine long press with the center key.  Does not
3276    // affect long press with the trackball/touch.
3277    private boolean mGotCenterDown = false;
3278
3279    @Override
3280    public boolean onKeyDown(int keyCode, KeyEvent event) {
3281        if (DebugFlags.WEB_VIEW) {
3282            Log.v(LOGTAG, "keyDown at " + System.currentTimeMillis()
3283                    + ", " + event + ", unicode=" + event.getUnicodeChar());
3284        }
3285
3286        if (mNativeClass == 0) {
3287            return false;
3288        }
3289
3290        // do this hack up front, so it always works, regardless of touch-mode
3291        if (AUTO_REDRAW_HACK && (keyCode == KeyEvent.KEYCODE_CALL)) {
3292            mAutoRedraw = !mAutoRedraw;
3293            if (mAutoRedraw) {
3294                invalidate();
3295            }
3296            return true;
3297        }
3298
3299        // Bubble up the key event if
3300        // 1. it is a system key; or
3301        // 2. the host application wants to handle it; or
3302        // 3. webview is in scroll-zoom state;
3303        if (event.isSystem()
3304                || mCallbackProxy.uiOverrideKeyEvent(event)
3305                || (mTouchMode >= FIRST_SCROLL_ZOOM && mTouchMode <= LAST_SCROLL_ZOOM)) {
3306            return false;
3307        }
3308
3309        if (mShiftIsPressed == false && nativeCursorWantsKeyEvents() == false
3310                && (keyCode == KeyEvent.KEYCODE_SHIFT_LEFT
3311                || keyCode == KeyEvent.KEYCODE_SHIFT_RIGHT)) {
3312            mExtendSelection = false;
3313            mShiftIsPressed = true;
3314            if (nativeHasCursorNode()) {
3315                Rect rect = nativeCursorNodeBounds();
3316                mSelectX = contentToView(rect.left);
3317                mSelectY = contentToView(rect.top);
3318            } else {
3319                mSelectX = mScrollX + (int) mLastTouchX;
3320                mSelectY = mScrollY + (int) mLastTouchY;
3321            }
3322            nativeHideCursor();
3323       }
3324
3325        if (keyCode >= KeyEvent.KEYCODE_DPAD_UP
3326                && keyCode <= KeyEvent.KEYCODE_DPAD_RIGHT) {
3327            // always handle the navigation keys in the UI thread
3328            switchOutDrawHistory();
3329            if (navHandledKey(keyCode, 1, false, event.getEventTime(), false)) {
3330                playSoundEffect(keyCodeToSoundsEffect(keyCode));
3331                return true;
3332            }
3333            // Bubble up the key event as WebView doesn't handle it
3334            return false;
3335        }
3336
3337        if (keyCode == KeyEvent.KEYCODE_DPAD_CENTER) {
3338            switchOutDrawHistory();
3339            if (event.getRepeatCount() == 0) {
3340                mGotCenterDown = true;
3341                mPrivateHandler.sendMessageDelayed(mPrivateHandler
3342                        .obtainMessage(LONG_PRESS_CENTER), LONG_PRESS_TIMEOUT);
3343                // Already checked mNativeClass, so we do not need to check it
3344                // again.
3345                nativeRecordButtons(hasFocus() && hasWindowFocus(), true, true);
3346                return true;
3347            }
3348            // Bubble up the key event as WebView doesn't handle it
3349            return false;
3350        }
3351
3352        if (keyCode != KeyEvent.KEYCODE_SHIFT_LEFT
3353                && keyCode != KeyEvent.KEYCODE_SHIFT_RIGHT) {
3354            // turn off copy select if a shift-key combo is pressed
3355            mExtendSelection = mShiftIsPressed = false;
3356            if (mTouchMode == TOUCH_SELECT_MODE) {
3357                mTouchMode = TOUCH_INIT_MODE;
3358            }
3359        }
3360
3361        if (getSettings().getNavDump()) {
3362            switch (keyCode) {
3363                case KeyEvent.KEYCODE_4:
3364                    // "/data/data/com.android.browser/displayTree.txt"
3365                    nativeDumpDisplayTree(getUrl());
3366                    break;
3367                case KeyEvent.KEYCODE_5:
3368                case KeyEvent.KEYCODE_6:
3369                    // 5: dump the dom tree to the file
3370                    // "/data/data/com.android.browser/domTree.txt"
3371                    // 6: dump the dom tree to the adb log
3372                    mWebViewCore.sendMessage(EventHub.DUMP_DOMTREE,
3373                            (keyCode == KeyEvent.KEYCODE_5) ? 1 : 0, 0);
3374                    break;
3375                case KeyEvent.KEYCODE_7:
3376                case KeyEvent.KEYCODE_8:
3377                    // 7: dump the render tree to the file
3378                    // "/data/data/com.android.browser/renderTree.txt"
3379                    // 8: dump the render tree to the adb log
3380                    mWebViewCore.sendMessage(EventHub.DUMP_RENDERTREE,
3381                            (keyCode == KeyEvent.KEYCODE_7) ? 1 : 0, 0);
3382                    break;
3383                case KeyEvent.KEYCODE_9:
3384                    nativeInstrumentReport();
3385                    return true;
3386            }
3387        }
3388
3389        if (nativeCursorIsPlugin()) {
3390            nativeUpdatePluginReceivesEvents();
3391            invalidate();
3392        } else if (nativeCursorIsTextInput()) {
3393            // This message will put the node in focus, for the DOM's notion
3394            // of focus, and make the focuscontroller active
3395            mWebViewCore.sendMessage(EventHub.CLICK, nativeCursorFramePointer(),
3396                    nativeCursorNodePointer());
3397            // This will bring up the WebTextView and put it in focus, for
3398            // our view system's notion of focus
3399            rebuildWebTextView();
3400            // Now we need to pass the event to it
3401            return mWebTextView.onKeyDown(keyCode, event);
3402        } else if (nativeHasFocusNode()) {
3403            // In this case, the cursor is not on a text input, but the focus
3404            // might be.  Check it, and if so, hand over to the WebTextView.
3405            rebuildWebTextView();
3406            if (inEditingMode()) {
3407                return mWebTextView.onKeyDown(keyCode, event);
3408            }
3409        }
3410
3411        // TODO: should we pass all the keys to DOM or check the meta tag
3412        if (nativeCursorWantsKeyEvents() || true) {
3413            // pass the key to DOM
3414            mWebViewCore.sendMessage(EventHub.KEY_DOWN, event);
3415            // return true as DOM handles the key
3416            return true;
3417        }
3418
3419        // Bubble up the key event as WebView doesn't handle it
3420        return false;
3421    }
3422
3423    @Override
3424    public boolean onKeyUp(int keyCode, KeyEvent event) {
3425        if (DebugFlags.WEB_VIEW) {
3426            Log.v(LOGTAG, "keyUp at " + System.currentTimeMillis()
3427                    + ", " + event + ", unicode=" + event.getUnicodeChar());
3428        }
3429
3430        if (mNativeClass == 0) {
3431            return false;
3432        }
3433
3434        // special CALL handling when cursor node's href is "tel:XXX"
3435        if (keyCode == KeyEvent.KEYCODE_CALL && nativeHasCursorNode()) {
3436            String text = nativeCursorText();
3437            if (!nativeCursorIsTextInput() && text != null
3438                    && text.startsWith(SCHEME_TEL)) {
3439                Intent intent = new Intent(Intent.ACTION_DIAL, Uri.parse(text));
3440                getContext().startActivity(intent);
3441                return true;
3442            }
3443        }
3444
3445        // Bubble up the key event if
3446        // 1. it is a system key; or
3447        // 2. the host application wants to handle it;
3448        if (event.isSystem() || mCallbackProxy.uiOverrideKeyEvent(event)) {
3449            return false;
3450        }
3451
3452        // special handling in scroll_zoom state
3453        if (mTouchMode >= FIRST_SCROLL_ZOOM && mTouchMode <= LAST_SCROLL_ZOOM) {
3454            if (KeyEvent.KEYCODE_DPAD_CENTER == keyCode
3455                    && mTouchMode != SCROLL_ZOOM_ANIMATION_IN) {
3456                setZoomScrollIn();
3457                mTouchMode = SCROLL_ZOOM_ANIMATION_IN;
3458                invalidate();
3459                return true;
3460            }
3461            return false;
3462        }
3463
3464        if (keyCode == KeyEvent.KEYCODE_SHIFT_LEFT
3465                || keyCode == KeyEvent.KEYCODE_SHIFT_RIGHT) {
3466            if (commitCopy()) {
3467                return true;
3468            }
3469        }
3470
3471        if (keyCode >= KeyEvent.KEYCODE_DPAD_UP
3472                && keyCode <= KeyEvent.KEYCODE_DPAD_RIGHT) {
3473            // always handle the navigation keys in the UI thread
3474            // Bubble up the key event as WebView doesn't handle it
3475            return false;
3476        }
3477
3478        if (keyCode == KeyEvent.KEYCODE_DPAD_CENTER) {
3479            // remove the long press message first
3480            mPrivateHandler.removeMessages(LONG_PRESS_CENTER);
3481            mGotCenterDown = false;
3482
3483            if (mShiftIsPressed) {
3484                return false;
3485            }
3486            if (getSettings().supportZoom()
3487                    && mTouchMode == TOUCH_DOUBLECLICK_MODE) {
3488                zoomScrollOut();
3489            } else {
3490                mPrivateHandler.sendMessageDelayed(mPrivateHandler
3491                        .obtainMessage(SWITCH_TO_CLICK), TAP_TIMEOUT);
3492                if (DebugFlags.WEB_VIEW) {
3493                    Log.v(LOGTAG, "TOUCH_DOUBLECLICK_MODE");
3494                }
3495                mTouchMode = TOUCH_DOUBLECLICK_MODE;
3496            }
3497            return true;
3498        }
3499
3500        // TODO: should we pass all the keys to DOM or check the meta tag
3501        if (nativeCursorWantsKeyEvents() || true) {
3502            // pass the key to DOM
3503            mWebViewCore.sendMessage(EventHub.KEY_UP, event);
3504            // return true as DOM handles the key
3505            return true;
3506        }
3507
3508        // Bubble up the key event as WebView doesn't handle it
3509        return false;
3510    }
3511
3512    /**
3513     * @hide
3514     */
3515    public void emulateShiftHeld() {
3516        mExtendSelection = false;
3517        mShiftIsPressed = true;
3518        nativeHideCursor();
3519    }
3520
3521    private boolean commitCopy() {
3522        boolean copiedSomething = false;
3523        if (mExtendSelection) {
3524            // copy region so core operates on copy without touching orig.
3525            Region selection = new Region(nativeGetSelection());
3526            if (selection.isEmpty() == false) {
3527                Toast.makeText(mContext
3528                        , com.android.internal.R.string.text_copied
3529                        , Toast.LENGTH_SHORT).show();
3530                mWebViewCore.sendMessage(EventHub.GET_SELECTION, selection);
3531                copiedSomething = true;
3532            }
3533            mExtendSelection = false;
3534        }
3535        mShiftIsPressed = false;
3536        if (mTouchMode == TOUCH_SELECT_MODE) {
3537            mTouchMode = TOUCH_INIT_MODE;
3538        }
3539        return copiedSomething;
3540    }
3541
3542    // Set this as a hierarchy change listener so we can know when this view
3543    // is removed and still have access to our parent.
3544    @Override
3545    protected void onAttachedToWindow() {
3546        super.onAttachedToWindow();
3547        ViewParent parent = getParent();
3548        if (parent instanceof ViewGroup) {
3549            ViewGroup p = (ViewGroup) parent;
3550            p.setOnHierarchyChangeListener(this);
3551        }
3552    }
3553
3554    @Override
3555    protected void onDetachedFromWindow() {
3556        super.onDetachedFromWindow();
3557        ViewParent parent = getParent();
3558        if (parent instanceof ViewGroup) {
3559            ViewGroup p = (ViewGroup) parent;
3560            p.setOnHierarchyChangeListener(null);
3561        }
3562
3563        // Clean up the zoom controller
3564        mZoomButtonsController.setVisible(false);
3565    }
3566
3567    // Implementation for OnHierarchyChangeListener
3568    public void onChildViewAdded(View parent, View child) {}
3569
3570    public void onChildViewRemoved(View p, View child) {
3571        if (child == this) {
3572            clearTextEntry();
3573        }
3574    }
3575
3576    /**
3577     * @deprecated WebView should not have implemented
3578     * ViewTreeObserver.OnGlobalFocusChangeListener.  This method
3579     * does nothing now.
3580     */
3581    @Deprecated
3582    public void onGlobalFocusChanged(View oldFocus, View newFocus) {
3583    }
3584
3585    // To avoid drawing the cursor ring, and remove the TextView when our window
3586    // loses focus.
3587    @Override
3588    public void onWindowFocusChanged(boolean hasWindowFocus) {
3589        if (hasWindowFocus) {
3590            if (hasFocus()) {
3591                // If our window regained focus, and we have focus, then begin
3592                // drawing the cursor ring
3593                mDrawCursorRing = true;
3594                if (mNativeClass != 0) {
3595                    nativeRecordButtons(true, false, true);
3596                    if (inEditingMode()) {
3597                        mWebViewCore.sendMessage(EventHub.SET_ACTIVE, 1, 0);
3598                    }
3599                }
3600            } else {
3601                // If our window gained focus, but we do not have it, do not
3602                // draw the cursor ring.
3603                mDrawCursorRing = false;
3604                // We do not call nativeRecordButtons here because we assume
3605                // that when we lost focus, or window focus, it got called with
3606                // false for the first parameter
3607            }
3608        } else {
3609            if (getSettings().getBuiltInZoomControls() && !mZoomButtonsController.isVisible()) {
3610                /*
3611                 * The zoom controls come in their own window, so our window
3612                 * loses focus. Our policy is to not draw the cursor ring if
3613                 * our window is not focused, but this is an exception since
3614                 * the user can still navigate the web page with the zoom
3615                 * controls showing.
3616                 */
3617                // If our window has lost focus, stop drawing the cursor ring
3618                mDrawCursorRing = false;
3619            }
3620            mGotKeyDown = false;
3621            mShiftIsPressed = false;
3622            if (mNativeClass != 0) {
3623                nativeRecordButtons(false, false, true);
3624            }
3625            setFocusControllerInactive();
3626        }
3627        invalidate();
3628        super.onWindowFocusChanged(hasWindowFocus);
3629    }
3630
3631    /*
3632     * Pass a message to WebCore Thread, telling the WebCore::Page's
3633     * FocusController to be  "inactive" so that it will
3634     * not draw the blinking cursor.  It gets set to "active" to draw the cursor
3635     * in WebViewCore.cpp, when the WebCore thread receives key events/clicks.
3636     */
3637    /* package */ void setFocusControllerInactive() {
3638        // Do not need to also check whether mWebViewCore is null, because
3639        // mNativeClass is only set if mWebViewCore is non null
3640        if (mNativeClass == 0) return;
3641        mWebViewCore.sendMessage(EventHub.SET_ACTIVE, 0, 0);
3642    }
3643
3644    @Override
3645    protected void onFocusChanged(boolean focused, int direction,
3646            Rect previouslyFocusedRect) {
3647        if (DebugFlags.WEB_VIEW) {
3648            Log.v(LOGTAG, "MT focusChanged " + focused + ", " + direction);
3649        }
3650        if (focused) {
3651            // When we regain focus, if we have window focus, resume drawing
3652            // the cursor ring
3653            if (hasWindowFocus()) {
3654                mDrawCursorRing = true;
3655                if (mNativeClass != 0) {
3656                    nativeRecordButtons(true, false, true);
3657                }
3658            //} else {
3659                // The WebView has gained focus while we do not have
3660                // windowfocus.  When our window lost focus, we should have
3661                // called nativeRecordButtons(false...)
3662            }
3663        } else {
3664            // When we lost focus, unless focus went to the TextView (which is
3665            // true if we are in editing mode), stop drawing the cursor ring.
3666            if (!inEditingMode()) {
3667                mDrawCursorRing = false;
3668                if (mNativeClass != 0) {
3669                    nativeRecordButtons(false, false, true);
3670                }
3671                setFocusControllerInactive();
3672            }
3673            mGotKeyDown = false;
3674        }
3675
3676        super.onFocusChanged(focused, direction, previouslyFocusedRect);
3677    }
3678
3679    @Override
3680    protected void onSizeChanged(int w, int h, int ow, int oh) {
3681        super.onSizeChanged(w, h, ow, oh);
3682        // Center zooming to the center of the screen.
3683        mZoomCenterX = getViewWidth() * .5f;
3684        mZoomCenterY = getViewHeight() * .5f;
3685
3686        // update mMinZoomScale if the minimum zoom scale is not fixed
3687        if (!mMinZoomScaleFixed) {
3688            mMinZoomScale = (float) getViewWidth()
3689                    / Math.max(ZOOM_OUT_WIDTH, mDrawHistory ? mHistoryPicture
3690                            .getWidth() : (mZoomOverviewWidth > 0 ?
3691                                    mZoomOverviewWidth : mContentWidth));
3692        }
3693
3694        // we always force, in case our height changed, in which case we still
3695        // want to send the notification over to webkit
3696        setNewZoomScale(mActualScale, true);
3697    }
3698
3699    @Override
3700    protected void onScrollChanged(int l, int t, int oldl, int oldt) {
3701        super.onScrollChanged(l, t, oldl, oldt);
3702
3703        sendOurVisibleRect();
3704    }
3705
3706
3707    @Override
3708    public boolean dispatchKeyEvent(KeyEvent event) {
3709        boolean dispatch = true;
3710
3711        if (!inEditingMode()) {
3712            if (event.getAction() == KeyEvent.ACTION_DOWN) {
3713                mGotKeyDown = true;
3714            } else {
3715                if (!mGotKeyDown) {
3716                    /*
3717                     * We got a key up for which we were not the recipient of
3718                     * the original key down. Don't give it to the view.
3719                     */
3720                    dispatch = false;
3721                }
3722                mGotKeyDown = false;
3723            }
3724        }
3725
3726        if (dispatch) {
3727            return super.dispatchKeyEvent(event);
3728        } else {
3729            // We didn't dispatch, so let something else handle the key
3730            return false;
3731        }
3732    }
3733
3734    // Here are the snap align logic:
3735    // 1. If it starts nearly horizontally or vertically, snap align;
3736    // 2. If there is a dramitic direction change, let it go;
3737    // 3. If there is a same direction back and forth, lock it.
3738
3739    // adjustable parameters
3740    private int mMinLockSnapReverseDistance;
3741    private static final float MAX_SLOPE_FOR_DIAG = 1.5f;
3742    private static final int MIN_BREAK_SNAP_CROSS_DISTANCE = 80;
3743
3744    @Override
3745    public boolean onTouchEvent(MotionEvent ev) {
3746        if (mNativeClass == 0 || !isClickable() || !isLongClickable()) {
3747            return false;
3748        }
3749
3750        if (DebugFlags.WEB_VIEW) {
3751            Log.v(LOGTAG, ev + " at " + ev.getEventTime() + " mTouchMode="
3752                    + mTouchMode);
3753        }
3754
3755        int action = ev.getAction();
3756        float x = ev.getX();
3757        float y = ev.getY();
3758        long eventTime = ev.getEventTime();
3759
3760        // Due to the touch screen edge effect, a touch closer to the edge
3761        // always snapped to the edge. As getViewWidth() can be different from
3762        // getWidth() due to the scrollbar, adjusting the point to match
3763        // getViewWidth(). Same applied to the height.
3764        if (x > getViewWidth() - 1) {
3765            x = getViewWidth() - 1;
3766        }
3767        if (y > getViewHeight() - 1) {
3768            y = getViewHeight() - 1;
3769        }
3770
3771        // pass the touch events from UI thread to WebCore thread
3772        if (mForwardTouchEvents && mTouchMode != SCROLL_ZOOM_OUT
3773                && mTouchMode != SCROLL_ZOOM_ANIMATION_IN
3774                && mTouchMode != SCROLL_ZOOM_ANIMATION_OUT
3775                && (action != MotionEvent.ACTION_MOVE ||
3776                        eventTime - mLastSentTouchTime > TOUCH_SENT_INTERVAL)) {
3777            WebViewCore.TouchEventData ted = new WebViewCore.TouchEventData();
3778            ted.mAction = action;
3779            ted.mX = viewToContent((int) x + mScrollX);
3780            ted.mY = viewToContent((int) y + mScrollY);
3781            mWebViewCore.sendMessage(EventHub.TOUCH_EVENT, ted);
3782            mLastSentTouchTime = eventTime;
3783        }
3784
3785        int deltaX = (int) (mLastTouchX - x);
3786        int deltaY = (int) (mLastTouchY - y);
3787
3788        switch (action) {
3789            case MotionEvent.ACTION_DOWN: {
3790                if (mTouchMode == SCROLL_ZOOM_ANIMATION_IN
3791                        || mTouchMode == SCROLL_ZOOM_ANIMATION_OUT) {
3792                    // no interaction while animation is in progress
3793                    break;
3794                } else if (mTouchMode == SCROLL_ZOOM_OUT) {
3795                    mLastScrollX = mZoomScrollX;
3796                    mLastScrollY = mZoomScrollY;
3797                    // If two taps are close, ignore the first tap
3798                } else if (!mScroller.isFinished()) {
3799                    mScroller.abortAnimation();
3800                    mTouchMode = TOUCH_DRAG_START_MODE;
3801                    mPrivateHandler.removeMessages(RESUME_WEBCORE_UPDATE);
3802                } else if (mShiftIsPressed) {
3803                    mSelectX = mScrollX + (int) x;
3804                    mSelectY = mScrollY + (int) y;
3805                    mTouchMode = TOUCH_SELECT_MODE;
3806                    if (DebugFlags.WEB_VIEW) {
3807                        Log.v(LOGTAG, "select=" + mSelectX + "," + mSelectY);
3808                    }
3809                    nativeMoveSelection(viewToContent(mSelectX)
3810                            , viewToContent(mSelectY), false);
3811                    mTouchSelection = mExtendSelection = true;
3812                } else if (mPrivateHandler.hasMessages(RELEASE_SINGLE_TAP)) {
3813                    mPrivateHandler.removeMessages(RELEASE_SINGLE_TAP);
3814                    if (deltaX * deltaX + deltaY * deltaY < mDoubleTapSlopSquare) {
3815                        mTouchMode = TOUCH_DOUBLE_TAP_MODE;
3816                    } else {
3817                        // commit the short press action for the previous tap
3818                        doShortPress();
3819                        // continue, mTouchMode should be still TOUCH_INIT_MODE
3820                    }
3821                } else {
3822                    mTouchMode = TOUCH_INIT_MODE;
3823                    mPreventDrag = mForwardTouchEvents;
3824                    mWebViewCore.sendMessage(
3825                            EventHub.UPDATE_FRAME_CACHE_IF_LOADING);
3826                    if (mLogEvent && eventTime - mLastTouchUpTime < 1000) {
3827                        EventLog.writeEvent(EVENT_LOG_DOUBLE_TAP_DURATION,
3828                                (eventTime - mLastTouchUpTime), eventTime);
3829                    }
3830                }
3831                // Trigger the link
3832                if (mTouchMode == TOUCH_INIT_MODE
3833                        || mTouchMode == TOUCH_DOUBLE_TAP_MODE) {
3834                    mPrivateHandler.sendMessageDelayed(mPrivateHandler
3835                            .obtainMessage(SWITCH_TO_SHORTPRESS), TAP_TIMEOUT);
3836                }
3837                // Remember where the motion event started
3838                mLastTouchX = x;
3839                mLastTouchY = y;
3840                mLastTouchTime = eventTime;
3841                mVelocityTracker = VelocityTracker.obtain();
3842                mSnapScrollMode = SNAP_NONE;
3843                break;
3844            }
3845            case MotionEvent.ACTION_MOVE: {
3846                if (mTouchMode == TOUCH_DONE_MODE
3847                        || mTouchMode == SCROLL_ZOOM_ANIMATION_IN
3848                        || mTouchMode == SCROLL_ZOOM_ANIMATION_OUT) {
3849                    // no dragging during scroll zoom animation
3850                    break;
3851                }
3852                if (mTouchMode == SCROLL_ZOOM_OUT) {
3853                    // while fully zoomed out, move the virtual window
3854                    moveZoomScrollWindow(x, y);
3855                    break;
3856                }
3857                mVelocityTracker.addMovement(ev);
3858
3859                if (mTouchMode != TOUCH_DRAG_MODE) {
3860                    if (mTouchMode == TOUCH_SELECT_MODE) {
3861                        mSelectX = mScrollX + (int) x;
3862                        mSelectY = mScrollY + (int) y;
3863                        if (DebugFlags.WEB_VIEW) {
3864                            Log.v(LOGTAG, "xtend=" + mSelectX + "," + mSelectY);
3865                        }
3866                        nativeMoveSelection(viewToContent(mSelectX)
3867                                , viewToContent(mSelectY), true);
3868                        invalidate();
3869                        break;
3870                    }
3871                    if (mPreventDrag || (deltaX * deltaX + deltaY * deltaY)
3872                            < mTouchSlopSquare) {
3873                        break;
3874                    }
3875
3876                    if (mTouchMode == TOUCH_SHORTPRESS_MODE
3877                            || mTouchMode == TOUCH_SHORTPRESS_START_MODE) {
3878                        mPrivateHandler.removeMessages(SWITCH_TO_LONGPRESS);
3879                    } else if (mTouchMode == TOUCH_INIT_MODE
3880                            || mTouchMode == TOUCH_DOUBLE_TAP_MODE) {
3881                        mPrivateHandler.removeMessages(SWITCH_TO_SHORTPRESS);
3882                    }
3883
3884                    // if it starts nearly horizontal or vertical, enforce it
3885                    int ax = Math.abs(deltaX);
3886                    int ay = Math.abs(deltaY);
3887                    if (ax > MAX_SLOPE_FOR_DIAG * ay) {
3888                        mSnapScrollMode = SNAP_X;
3889                        mSnapPositive = deltaX > 0;
3890                    } else if (ay > MAX_SLOPE_FOR_DIAG * ax) {
3891                        mSnapScrollMode = SNAP_Y;
3892                        mSnapPositive = deltaY > 0;
3893                    }
3894
3895                    mTouchMode = TOUCH_DRAG_MODE;
3896                    WebViewCore.pauseUpdate(mWebViewCore);
3897                    if (!mDragFromTextInput) {
3898                        nativeHideCursor();
3899                    }
3900                    WebSettings settings = getSettings();
3901                    if (settings.supportZoom() && !mInZoomOverview
3902                            && settings.getBuiltInZoomControls()
3903                            && !mZoomButtonsController.isVisible()
3904                            && (canZoomScrollOut() ||
3905                                    mMinZoomScale < mMaxZoomScale)) {
3906                        mZoomButtonsController.setVisible(true);
3907                    }
3908                }
3909
3910                // do pan
3911                int newScrollX = pinLocX(mScrollX + deltaX);
3912                deltaX = newScrollX - mScrollX;
3913                int newScrollY = pinLocY(mScrollY + deltaY);
3914                deltaY = newScrollY - mScrollY;
3915                boolean done = false;
3916                if (deltaX == 0 && deltaY == 0) {
3917                    done = true;
3918                } else {
3919                    if (mSnapScrollMode == SNAP_X || mSnapScrollMode == SNAP_Y) {
3920                        int ax = Math.abs(deltaX);
3921                        int ay = Math.abs(deltaY);
3922                        if (mSnapScrollMode == SNAP_X) {
3923                            // radical change means getting out of snap mode
3924                            if (ay > MAX_SLOPE_FOR_DIAG * ax
3925                                    && ay > MIN_BREAK_SNAP_CROSS_DISTANCE) {
3926                                mSnapScrollMode = SNAP_NONE;
3927                            }
3928                            // reverse direction means lock in the snap mode
3929                            if ((ax > MAX_SLOPE_FOR_DIAG * ay) &&
3930                                    ((mSnapPositive &&
3931                                    deltaX < -mMinLockSnapReverseDistance)
3932                                    || (!mSnapPositive &&
3933                                    deltaX > mMinLockSnapReverseDistance))) {
3934                                mSnapScrollMode = SNAP_X_LOCK;
3935                            }
3936                        } else {
3937                            // radical change means getting out of snap mode
3938                            if ((ax > MAX_SLOPE_FOR_DIAG * ay)
3939                                    && ax > MIN_BREAK_SNAP_CROSS_DISTANCE) {
3940                                mSnapScrollMode = SNAP_NONE;
3941                            }
3942                            // reverse direction means lock in the snap mode
3943                            if ((ay > MAX_SLOPE_FOR_DIAG * ax) &&
3944                                    ((mSnapPositive &&
3945                                    deltaY < -mMinLockSnapReverseDistance)
3946                                    || (!mSnapPositive &&
3947                                    deltaY > mMinLockSnapReverseDistance))) {
3948                                mSnapScrollMode = SNAP_Y_LOCK;
3949                            }
3950                        }
3951                    }
3952
3953                    if (mSnapScrollMode == SNAP_X
3954                            || mSnapScrollMode == SNAP_X_LOCK) {
3955                        scrollBy(deltaX, 0);
3956                        mLastTouchX = x;
3957                    } else if (mSnapScrollMode == SNAP_Y
3958                            || mSnapScrollMode == SNAP_Y_LOCK) {
3959                        scrollBy(0, deltaY);
3960                        mLastTouchY = y;
3961                    } else {
3962                        scrollBy(deltaX, deltaY);
3963                        mLastTouchX = x;
3964                        mLastTouchY = y;
3965                    }
3966                    mLastTouchTime = eventTime;
3967                    mUserScroll = true;
3968                }
3969
3970                if (!getSettings().getBuiltInZoomControls() && !mInZoomOverview) {
3971                    boolean showPlusMinus = mMinZoomScale < mMaxZoomScale;
3972                    boolean showMagnify = canZoomScrollOut();
3973                    if (mZoomControls != null && (showPlusMinus || showMagnify)) {
3974                        if (mZoomControls.getVisibility() == View.VISIBLE) {
3975                            mPrivateHandler.removeCallbacks(mZoomControlRunnable);
3976                        } else {
3977                            mZoomControls.show(showPlusMinus, showMagnify);
3978                        }
3979                        mPrivateHandler.postDelayed(mZoomControlRunnable,
3980                                ZOOM_CONTROLS_TIMEOUT);
3981                    }
3982                }
3983
3984                if (done) {
3985                    // return false to indicate that we can't pan out of the
3986                    // view space
3987                    return false;
3988                }
3989                break;
3990            }
3991            case MotionEvent.ACTION_UP: {
3992                mLastTouchUpTime = eventTime;
3993                switch (mTouchMode) {
3994                    case TOUCH_DOUBLE_TAP_MODE: // double tap
3995                        mPrivateHandler.removeMessages(SWITCH_TO_SHORTPRESS);
3996                        mTouchMode = TOUCH_DONE_MODE;
3997                        doDoubleTap();
3998                        break;
3999                    case TOUCH_INIT_MODE: // tap
4000                        if (ENABLE_DOUBLETAP_ZOOM) {
4001                            mPrivateHandler.removeMessages(SWITCH_TO_SHORTPRESS);
4002                            if (!mPreventDrag) {
4003                                mPrivateHandler.sendMessageDelayed(
4004                                        mPrivateHandler.obtainMessage(
4005                                        RELEASE_SINGLE_TAP),
4006                                        ViewConfiguration.getDoubleTapTimeout());
4007                            }
4008                            break;
4009                        }
4010                        // fall through
4011                    case TOUCH_SHORTPRESS_START_MODE:
4012                    case TOUCH_SHORTPRESS_MODE:
4013                        mPrivateHandler.removeMessages(SWITCH_TO_SHORTPRESS);
4014                        mPrivateHandler.removeMessages(SWITCH_TO_LONGPRESS);
4015                        mTouchMode = TOUCH_DONE_MODE;
4016                        doShortPress();
4017                        break;
4018                    case TOUCH_SELECT_MODE:
4019                        commitCopy();
4020                        mTouchSelection = false;
4021                        break;
4022                    case SCROLL_ZOOM_ANIMATION_IN:
4023                    case SCROLL_ZOOM_ANIMATION_OUT:
4024                        // no action during scroll animation
4025                        break;
4026                    case SCROLL_ZOOM_OUT:
4027                        if (DebugFlags.WEB_VIEW) {
4028                            Log.v(LOGTAG, "ACTION_UP SCROLL_ZOOM_OUT"
4029                                    + " eventTime - mLastTouchTime="
4030                                    + (eventTime - mLastTouchTime));
4031                        }
4032                        // for now, always zoom back when the drag completes
4033                        if (true || eventTime - mLastTouchTime < TAP_TIMEOUT) {
4034                            // but if we tap, zoom in where we tap
4035                            if (eventTime - mLastTouchTime < TAP_TIMEOUT) {
4036                                zoomScrollTap(x, y);
4037                            }
4038                            // start zooming in back to the original view
4039                            setZoomScrollIn();
4040                            mTouchMode = SCROLL_ZOOM_ANIMATION_IN;
4041                            invalidate();
4042                        }
4043                        break;
4044                    case TOUCH_DRAG_MODE:
4045                        // if the user waits a while w/o moving before the
4046                        // up, we don't want to do a fling
4047                        if (eventTime - mLastTouchTime <= MIN_FLING_TIME) {
4048                            mVelocityTracker.addMovement(ev);
4049                            doFling();
4050                            break;
4051                        }
4052                        WebViewCore.resumeUpdate(mWebViewCore);
4053                        break;
4054                    case TOUCH_DRAG_START_MODE:
4055                    case TOUCH_DONE_MODE:
4056                        // do nothing
4057                        break;
4058                }
4059                // we also use mVelocityTracker == null to tell us that we are
4060                // not "moving around", so we can take the slower/prettier
4061                // mode in the drawing code
4062                if (mVelocityTracker != null) {
4063                    mVelocityTracker.recycle();
4064                    mVelocityTracker = null;
4065                }
4066                break;
4067            }
4068            case MotionEvent.ACTION_CANCEL: {
4069                // we also use mVelocityTracker == null to tell us that we are
4070                // not "moving around", so we can take the slower/prettier
4071                // mode in the drawing code
4072                if (mVelocityTracker != null) {
4073                    mVelocityTracker.recycle();
4074                    mVelocityTracker = null;
4075                }
4076                if (mTouchMode == SCROLL_ZOOM_OUT ||
4077                        mTouchMode == SCROLL_ZOOM_ANIMATION_IN) {
4078                    scrollTo(mZoomScrollX, mZoomScrollY);
4079                } else if (mTouchMode == TOUCH_DRAG_MODE) {
4080                    WebViewCore.resumeUpdate(mWebViewCore);
4081                }
4082                mPrivateHandler.removeMessages(SWITCH_TO_SHORTPRESS);
4083                mPrivateHandler.removeMessages(SWITCH_TO_LONGPRESS);
4084                mTouchMode = TOUCH_DONE_MODE;
4085                nativeHideCursor();
4086                break;
4087            }
4088        }
4089        return true;
4090    }
4091
4092    private long mTrackballFirstTime = 0;
4093    private long mTrackballLastTime = 0;
4094    private float mTrackballRemainsX = 0.0f;
4095    private float mTrackballRemainsY = 0.0f;
4096    private int mTrackballXMove = 0;
4097    private int mTrackballYMove = 0;
4098    private boolean mExtendSelection = false;
4099    private boolean mTouchSelection = false;
4100    private static final int TRACKBALL_KEY_TIMEOUT = 1000;
4101    private static final int TRACKBALL_TIMEOUT = 200;
4102    private static final int TRACKBALL_WAIT = 100;
4103    private static final int TRACKBALL_SCALE = 400;
4104    private static final int TRACKBALL_SCROLL_COUNT = 5;
4105    private static final int TRACKBALL_MOVE_COUNT = 10;
4106    private static final int TRACKBALL_MULTIPLIER = 3;
4107    private static final int SELECT_CURSOR_OFFSET = 16;
4108    private int mSelectX = 0;
4109    private int mSelectY = 0;
4110    private boolean mShiftIsPressed = false;
4111    private boolean mTrackballDown = false;
4112    private long mTrackballUpTime = 0;
4113    private long mLastCursorTime = 0;
4114    private Rect mLastCursorBounds;
4115
4116    // Set by default; BrowserActivity clears to interpret trackball data
4117    // directly for movement. Currently, the framework only passes
4118    // arrow key events, not trackball events, from one child to the next
4119    private boolean mMapTrackballToArrowKeys = true;
4120
4121    public void setMapTrackballToArrowKeys(boolean setMap) {
4122        mMapTrackballToArrowKeys = setMap;
4123    }
4124
4125    void resetTrackballTime() {
4126        mTrackballLastTime = 0;
4127    }
4128
4129    @Override
4130    public boolean onTrackballEvent(MotionEvent ev) {
4131        long time = ev.getEventTime();
4132        if ((ev.getMetaState() & KeyEvent.META_ALT_ON) != 0) {
4133            if (ev.getY() > 0) pageDown(true);
4134            if (ev.getY() < 0) pageUp(true);
4135            return true;
4136        }
4137        if (ev.getAction() == MotionEvent.ACTION_DOWN) {
4138            mPrivateHandler.removeMessages(SWITCH_TO_CLICK);
4139            mTrackballDown = true;
4140            if (mNativeClass == 0) {
4141                return false;
4142            }
4143            nativeRecordButtons(hasFocus() && hasWindowFocus(), true, true);
4144            if (time - mLastCursorTime <= TRACKBALL_TIMEOUT
4145                    && !mLastCursorBounds.equals(nativeGetCursorRingBounds())) {
4146                nativeSelectBestAt(mLastCursorBounds);
4147            }
4148            if (DebugFlags.WEB_VIEW) {
4149                Log.v(LOGTAG, "onTrackballEvent down ev=" + ev
4150                        + " time=" + time
4151                        + " mLastCursorTime=" + mLastCursorTime);
4152            }
4153            if (isInTouchMode()) requestFocusFromTouch();
4154            return false; // let common code in onKeyDown at it
4155        }
4156        if (ev.getAction() == MotionEvent.ACTION_UP) {
4157            // LONG_PRESS_CENTER is set in common onKeyDown
4158            mPrivateHandler.removeMessages(LONG_PRESS_CENTER);
4159            mTrackballDown = false;
4160            mTrackballUpTime = time;
4161            if (mShiftIsPressed) {
4162                if (mExtendSelection) {
4163                    commitCopy();
4164                } else {
4165                    mExtendSelection = true;
4166                }
4167            }
4168            if (DebugFlags.WEB_VIEW) {
4169                Log.v(LOGTAG, "onTrackballEvent up ev=" + ev
4170                        + " time=" + time
4171                );
4172            }
4173            return false; // let common code in onKeyUp at it
4174        }
4175        if (mMapTrackballToArrowKeys && mShiftIsPressed == false) {
4176            if (DebugFlags.WEB_VIEW) Log.v(LOGTAG, "onTrackballEvent gmail quit");
4177            return false;
4178        }
4179        // no move if we're still waiting on SWITCH_TO_CLICK timeout
4180        if (mTouchMode == TOUCH_DOUBLECLICK_MODE) {
4181            if (DebugFlags.WEB_VIEW) Log.v(LOGTAG, "onTrackballEvent 2 click quit");
4182            return true;
4183        }
4184        if (mTrackballDown) {
4185            if (DebugFlags.WEB_VIEW) Log.v(LOGTAG, "onTrackballEvent down quit");
4186            return true; // discard move if trackball is down
4187        }
4188        if (time - mTrackballUpTime < TRACKBALL_TIMEOUT) {
4189            if (DebugFlags.WEB_VIEW) Log.v(LOGTAG, "onTrackballEvent up timeout quit");
4190            return true;
4191        }
4192        // TODO: alternatively we can do panning as touch does
4193        switchOutDrawHistory();
4194        if (time - mTrackballLastTime > TRACKBALL_TIMEOUT) {
4195            if (DebugFlags.WEB_VIEW) {
4196                Log.v(LOGTAG, "onTrackballEvent time="
4197                        + time + " last=" + mTrackballLastTime);
4198            }
4199            mTrackballFirstTime = time;
4200            mTrackballXMove = mTrackballYMove = 0;
4201        }
4202        mTrackballLastTime = time;
4203        if (DebugFlags.WEB_VIEW) {
4204            Log.v(LOGTAG, "onTrackballEvent ev=" + ev + " time=" + time);
4205        }
4206        mTrackballRemainsX += ev.getX();
4207        mTrackballRemainsY += ev.getY();
4208        doTrackball(time);
4209        return true;
4210    }
4211
4212    void moveSelection(float xRate, float yRate) {
4213        if (mNativeClass == 0)
4214            return;
4215        int width = getViewWidth();
4216        int height = getViewHeight();
4217        mSelectX += scaleTrackballX(xRate, width);
4218        mSelectY += scaleTrackballY(yRate, height);
4219        int maxX = width + mScrollX;
4220        int maxY = height + mScrollY;
4221        mSelectX = Math.min(maxX, Math.max(mScrollX - SELECT_CURSOR_OFFSET
4222                , mSelectX));
4223        mSelectY = Math.min(maxY, Math.max(mScrollY - SELECT_CURSOR_OFFSET
4224                , mSelectY));
4225        if (DebugFlags.WEB_VIEW) {
4226            Log.v(LOGTAG, "moveSelection"
4227                    + " mSelectX=" + mSelectX
4228                    + " mSelectY=" + mSelectY
4229                    + " mScrollX=" + mScrollX
4230                    + " mScrollY=" + mScrollY
4231                    + " xRate=" + xRate
4232                    + " yRate=" + yRate
4233                    );
4234        }
4235        nativeMoveSelection(viewToContent(mSelectX)
4236                , viewToContent(mSelectY), mExtendSelection);
4237        int scrollX = mSelectX < mScrollX ? -SELECT_CURSOR_OFFSET
4238                : mSelectX > maxX - SELECT_CURSOR_OFFSET ? SELECT_CURSOR_OFFSET
4239                : 0;
4240        int scrollY = mSelectY < mScrollY ? -SELECT_CURSOR_OFFSET
4241                : mSelectY > maxY - SELECT_CURSOR_OFFSET ? SELECT_CURSOR_OFFSET
4242                : 0;
4243        pinScrollBy(scrollX, scrollY, true, 0);
4244        Rect select = new Rect(mSelectX, mSelectY, mSelectX + 1, mSelectY + 1);
4245        requestRectangleOnScreen(select);
4246        invalidate();
4247   }
4248
4249    private int scaleTrackballX(float xRate, int width) {
4250        int xMove = (int) (xRate / TRACKBALL_SCALE * width);
4251        int nextXMove = xMove;
4252        if (xMove > 0) {
4253            if (xMove > mTrackballXMove) {
4254                xMove -= mTrackballXMove;
4255            }
4256        } else if (xMove < mTrackballXMove) {
4257            xMove -= mTrackballXMove;
4258        }
4259        mTrackballXMove = nextXMove;
4260        return xMove;
4261    }
4262
4263    private int scaleTrackballY(float yRate, int height) {
4264        int yMove = (int) (yRate / TRACKBALL_SCALE * height);
4265        int nextYMove = yMove;
4266        if (yMove > 0) {
4267            if (yMove > mTrackballYMove) {
4268                yMove -= mTrackballYMove;
4269            }
4270        } else if (yMove < mTrackballYMove) {
4271            yMove -= mTrackballYMove;
4272        }
4273        mTrackballYMove = nextYMove;
4274        return yMove;
4275    }
4276
4277    private int keyCodeToSoundsEffect(int keyCode) {
4278        switch(keyCode) {
4279            case KeyEvent.KEYCODE_DPAD_UP:
4280                return SoundEffectConstants.NAVIGATION_UP;
4281            case KeyEvent.KEYCODE_DPAD_RIGHT:
4282                return SoundEffectConstants.NAVIGATION_RIGHT;
4283            case KeyEvent.KEYCODE_DPAD_DOWN:
4284                return SoundEffectConstants.NAVIGATION_DOWN;
4285            case KeyEvent.KEYCODE_DPAD_LEFT:
4286                return SoundEffectConstants.NAVIGATION_LEFT;
4287        }
4288        throw new IllegalArgumentException("keyCode must be one of " +
4289                "{KEYCODE_DPAD_UP, KEYCODE_DPAD_RIGHT, KEYCODE_DPAD_DOWN, " +
4290                "KEYCODE_DPAD_LEFT}.");
4291    }
4292
4293    private void doTrackball(long time) {
4294        int elapsed = (int) (mTrackballLastTime - mTrackballFirstTime);
4295        if (elapsed == 0) {
4296            elapsed = TRACKBALL_TIMEOUT;
4297        }
4298        float xRate = mTrackballRemainsX * 1000 / elapsed;
4299        float yRate = mTrackballRemainsY * 1000 / elapsed;
4300        if (mShiftIsPressed) {
4301            moveSelection(xRate, yRate);
4302            mTrackballRemainsX = mTrackballRemainsY = 0;
4303            return;
4304        }
4305        float ax = Math.abs(xRate);
4306        float ay = Math.abs(yRate);
4307        float maxA = Math.max(ax, ay);
4308        if (DebugFlags.WEB_VIEW) {
4309            Log.v(LOGTAG, "doTrackball elapsed=" + elapsed
4310                    + " xRate=" + xRate
4311                    + " yRate=" + yRate
4312                    + " mTrackballRemainsX=" + mTrackballRemainsX
4313                    + " mTrackballRemainsY=" + mTrackballRemainsY);
4314        }
4315        int width = mContentWidth - getViewWidth();
4316        int height = mContentHeight - getViewHeight();
4317        if (width < 0) width = 0;
4318        if (height < 0) height = 0;
4319        if (mTouchMode == SCROLL_ZOOM_OUT) {
4320            int oldX = mZoomScrollX;
4321            int oldY = mZoomScrollY;
4322            int maxWH = Math.max(width, height);
4323            mZoomScrollX += scaleTrackballX(xRate, maxWH);
4324            mZoomScrollY += scaleTrackballY(yRate, maxWH);
4325            if (DebugFlags.WEB_VIEW) {
4326                Log.v(LOGTAG, "doTrackball SCROLL_ZOOM_OUT"
4327                        + " mZoomScrollX=" + mZoomScrollX
4328                        + " mZoomScrollY=" + mZoomScrollY);
4329            }
4330            mZoomScrollX = Math.min(width, Math.max(0, mZoomScrollX));
4331            mZoomScrollY = Math.min(height, Math.max(0, mZoomScrollY));
4332            if (oldX != mZoomScrollX || oldY != mZoomScrollY) {
4333                invalidate();
4334            }
4335            mTrackballRemainsX = mTrackballRemainsY = 0;
4336            return;
4337        }
4338        ax = Math.abs(mTrackballRemainsX * TRACKBALL_MULTIPLIER);
4339        ay = Math.abs(mTrackballRemainsY * TRACKBALL_MULTIPLIER);
4340        maxA = Math.max(ax, ay);
4341        int count = Math.max(0, (int) maxA);
4342        int oldScrollX = mScrollX;
4343        int oldScrollY = mScrollY;
4344        if (count > 0) {
4345            int selectKeyCode = ax < ay ? mTrackballRemainsY < 0 ?
4346                    KeyEvent.KEYCODE_DPAD_UP : KeyEvent.KEYCODE_DPAD_DOWN :
4347                    mTrackballRemainsX < 0 ? KeyEvent.KEYCODE_DPAD_LEFT :
4348                    KeyEvent.KEYCODE_DPAD_RIGHT;
4349            count = Math.min(count, TRACKBALL_MOVE_COUNT);
4350            if (DebugFlags.WEB_VIEW) {
4351                Log.v(LOGTAG, "doTrackball keyCode=" + selectKeyCode
4352                        + " count=" + count
4353                        + " mTrackballRemainsX=" + mTrackballRemainsX
4354                        + " mTrackballRemainsY=" + mTrackballRemainsY);
4355            }
4356            if (navHandledKey(selectKeyCode, count, false, time, false)) {
4357                playSoundEffect(keyCodeToSoundsEffect(selectKeyCode));
4358            }
4359            mTrackballRemainsX = mTrackballRemainsY = 0;
4360        }
4361        if (count >= TRACKBALL_SCROLL_COUNT) {
4362            int xMove = scaleTrackballX(xRate, width);
4363            int yMove = scaleTrackballY(yRate, height);
4364            if (DebugFlags.WEB_VIEW) {
4365                Log.v(LOGTAG, "doTrackball pinScrollBy"
4366                        + " count=" + count
4367                        + " xMove=" + xMove + " yMove=" + yMove
4368                        + " mScrollX-oldScrollX=" + (mScrollX-oldScrollX)
4369                        + " mScrollY-oldScrollY=" + (mScrollY-oldScrollY)
4370                        );
4371            }
4372            if (Math.abs(mScrollX - oldScrollX) > Math.abs(xMove)) {
4373                xMove = 0;
4374            }
4375            if (Math.abs(mScrollY - oldScrollY) > Math.abs(yMove)) {
4376                yMove = 0;
4377            }
4378            if (xMove != 0 || yMove != 0) {
4379                pinScrollBy(xMove, yMove, true, 0);
4380            }
4381            mUserScroll = true;
4382        }
4383    }
4384
4385    public void flingScroll(int vx, int vy) {
4386        int maxX = Math.max(computeHorizontalScrollRange() - getViewWidth(), 0);
4387        int maxY = Math.max(computeVerticalScrollRange() - getViewHeight(), 0);
4388
4389        mScroller.fling(mScrollX, mScrollY, vx, vy, 0, maxX, 0, maxY);
4390        invalidate();
4391    }
4392
4393    private void doFling() {
4394        if (mVelocityTracker == null) {
4395            return;
4396        }
4397        int maxX = Math.max(computeHorizontalScrollRange() - getViewWidth(), 0);
4398        int maxY = Math.max(computeVerticalScrollRange() - getViewHeight(), 0);
4399
4400        mVelocityTracker.computeCurrentVelocity(1000, mMaximumFling);
4401        int vx = (int) mVelocityTracker.getXVelocity();
4402        int vy = (int) mVelocityTracker.getYVelocity();
4403
4404        if (mSnapScrollMode != SNAP_NONE) {
4405            if (mSnapScrollMode == SNAP_X || mSnapScrollMode == SNAP_X_LOCK) {
4406                vy = 0;
4407            } else {
4408                vx = 0;
4409            }
4410        }
4411
4412        if (true /* EMG release: make our fling more like Maps' */) {
4413            // maps cuts their velocity in half
4414            vx = vx * 3 / 4;
4415            vy = vy * 3 / 4;
4416        }
4417
4418        mScroller.fling(mScrollX, mScrollY, -vx, -vy, 0, maxX, 0, maxY);
4419        // TODO: duration is calculated based on velocity, if the range is
4420        // small, the animation will stop before duration is up. We may
4421        // want to calculate how long the animation is going to run to precisely
4422        // resume the webcore update.
4423        final int time = mScroller.getDuration();
4424        mPrivateHandler.sendEmptyMessageDelayed(RESUME_WEBCORE_UPDATE, time);
4425        invalidate();
4426    }
4427
4428    private boolean zoomWithPreview(float scale) {
4429        float oldScale = mActualScale;
4430        mInitialScrollX = mScrollX;
4431        mInitialScrollY = mScrollY;
4432
4433        // snap to DEFAULT_SCALE if it is close
4434        if (scale > (mDefaultScale - 0.05) && scale < (mDefaultScale + 0.05)) {
4435            scale = mDefaultScale;
4436        }
4437
4438        setNewZoomScale(scale, false);
4439
4440        if (oldScale != mActualScale) {
4441            // use mZoomPickerScale to see zoom preview first
4442            mZoomStart = SystemClock.uptimeMillis();
4443            mInvInitialZoomScale = 1.0f / oldScale;
4444            mInvFinalZoomScale = 1.0f / mActualScale;
4445            mZoomScale = mActualScale;
4446            if (!mInZoomOverview) {
4447                mLastScale = scale;
4448            }
4449            invalidate();
4450            return true;
4451        } else {
4452            return false;
4453        }
4454    }
4455
4456    /**
4457     * Returns a view containing zoom controls i.e. +/- buttons. The caller is
4458     * in charge of installing this view to the view hierarchy. This view will
4459     * become visible when the user starts scrolling via touch and fade away if
4460     * the user does not interact with it.
4461     * <p/>
4462     * API version 3 introduces a built-in zoom mechanism that is shown
4463     * automatically by the MapView. This is the preferred approach for
4464     * showing the zoom UI.
4465     *
4466     * @deprecated The built-in zoom mechanism is preferred, see
4467     *             {@link WebSettings#setBuiltInZoomControls(boolean)}.
4468     */
4469    @Deprecated
4470    public View getZoomControls() {
4471        if (!getSettings().supportZoom()) {
4472            Log.w(LOGTAG, "This WebView doesn't support zoom.");
4473            return null;
4474        }
4475        if (mZoomControls == null) {
4476            mZoomControls = createZoomControls();
4477
4478            /*
4479             * need to be set to VISIBLE first so that getMeasuredHeight() in
4480             * {@link #onSizeChanged()} can return the measured value for proper
4481             * layout.
4482             */
4483            mZoomControls.setVisibility(View.VISIBLE);
4484            mZoomControlRunnable = new Runnable() {
4485                public void run() {
4486
4487                    /* Don't dismiss the controls if the user has
4488                     * focus on them. Wait and check again later.
4489                     */
4490                    if (!mZoomControls.hasFocus()) {
4491                        mZoomControls.hide();
4492                    } else {
4493                        mPrivateHandler.removeCallbacks(mZoomControlRunnable);
4494                        mPrivateHandler.postDelayed(mZoomControlRunnable,
4495                                ZOOM_CONTROLS_TIMEOUT);
4496                    }
4497                }
4498            };
4499        }
4500        return mZoomControls;
4501    }
4502
4503    private ExtendedZoomControls createZoomControls() {
4504        ExtendedZoomControls zoomControls = new ExtendedZoomControls(mContext
4505            , null);
4506        zoomControls.setOnZoomInClickListener(new OnClickListener() {
4507            public void onClick(View v) {
4508                // reset time out
4509                mPrivateHandler.removeCallbacks(mZoomControlRunnable);
4510                mPrivateHandler.postDelayed(mZoomControlRunnable,
4511                        ZOOM_CONTROLS_TIMEOUT);
4512                zoomIn();
4513            }
4514        });
4515        zoomControls.setOnZoomOutClickListener(new OnClickListener() {
4516            public void onClick(View v) {
4517                // reset time out
4518                mPrivateHandler.removeCallbacks(mZoomControlRunnable);
4519                mPrivateHandler.postDelayed(mZoomControlRunnable,
4520                        ZOOM_CONTROLS_TIMEOUT);
4521                zoomOut();
4522            }
4523        });
4524        zoomControls.setOnZoomMagnifyClickListener(new OnClickListener() {
4525            public void onClick(View v) {
4526                mPrivateHandler.removeCallbacks(mZoomControlRunnable);
4527                mPrivateHandler.postDelayed(mZoomControlRunnable,
4528                        ZOOM_CONTROLS_TIMEOUT);
4529                zoomScrollOut();
4530            }
4531        });
4532        return zoomControls;
4533    }
4534
4535    /**
4536     * Gets the {@link ZoomButtonsController} which can be used to add
4537     * additional buttons to the zoom controls window.
4538     *
4539     * @return The instance of {@link ZoomButtonsController} used by this class,
4540     *         or null if it is unavailable.
4541     * @hide
4542     */
4543    public ZoomButtonsController getZoomButtonsController() {
4544        return mZoomButtonsController;
4545    }
4546
4547    /**
4548     * Perform zoom in in the webview
4549     * @return TRUE if zoom in succeeds. FALSE if no zoom changes.
4550     */
4551    public boolean zoomIn() {
4552        // TODO: alternatively we can disallow this during draw history mode
4553        switchOutDrawHistory();
4554        // Center zooming to the center of the screen.
4555        mZoomCenterX = getViewWidth() * .5f;
4556        mZoomCenterY = getViewHeight() * .5f;
4557        return zoomWithPreview(mActualScale * 1.25f);
4558    }
4559
4560    /**
4561     * Perform zoom out in the webview
4562     * @return TRUE if zoom out succeeds. FALSE if no zoom changes.
4563     */
4564    public boolean zoomOut() {
4565        // TODO: alternatively we can disallow this during draw history mode
4566        switchOutDrawHistory();
4567        // Center zooming to the center of the screen.
4568        mZoomCenterX = getViewWidth() * .5f;
4569        mZoomCenterY = getViewHeight() * .5f;
4570        return zoomWithPreview(mActualScale * 0.8f);
4571    }
4572
4573    private void updateSelection() {
4574        if (mNativeClass == 0) {
4575            return;
4576        }
4577        // mLastTouchX and mLastTouchY are the point in the current viewport
4578        int contentX = viewToContent((int) mLastTouchX + mScrollX);
4579        int contentY = viewToContent((int) mLastTouchY + mScrollY);
4580        Rect rect = new Rect(contentX - mNavSlop, contentY - mNavSlop,
4581                contentX + mNavSlop, contentY + mNavSlop);
4582        nativeSelectBestAt(rect);
4583    }
4584
4585    /**
4586     * Scroll the focused text field/area to match the WebTextView
4587     * @param x New x position of the WebTextView in view coordinates
4588     * @param y New y position of the WebTextView in view coordinates
4589     */
4590    /*package*/ void scrollFocusedTextInput(int x, int y) {
4591        if (!inEditingMode() || mWebViewCore == null) {
4592            return;
4593        }
4594        mWebViewCore.sendMessage(EventHub.SCROLL_TEXT_INPUT, viewToContent(x),
4595                viewToContent(y));
4596    }
4597
4598    /**
4599     * Set our starting point and time for a drag from the WebTextView.
4600     */
4601    /*package*/ void initiateTextFieldDrag(float x, float y, long eventTime) {
4602        if (!inEditingMode()) {
4603            return;
4604        }
4605        mLastTouchX = x + (float) (mWebTextView.getLeft() - mScrollX);
4606        mLastTouchY = y + (float) (mWebTextView.getTop() - mScrollY);
4607        mLastTouchTime = eventTime;
4608        if (!mScroller.isFinished()) {
4609            mScroller.abortAnimation();
4610            mPrivateHandler.removeMessages(RESUME_WEBCORE_UPDATE);
4611        }
4612        mSnapScrollMode = SNAP_NONE;
4613        mVelocityTracker = VelocityTracker.obtain();
4614        mTouchMode = TOUCH_DRAG_START_MODE;
4615    }
4616
4617    /**
4618     * Given a motion event from the WebTextView, set its location to our
4619     * coordinates, and handle the event.
4620     */
4621    /*package*/ boolean textFieldDrag(MotionEvent event) {
4622        if (!inEditingMode()) {
4623            return false;
4624        }
4625        mDragFromTextInput = true;
4626        event.offsetLocation((float) (mWebTextView.getLeft() - mScrollX),
4627                (float) (mWebTextView.getTop() - mScrollY));
4628        boolean result = onTouchEvent(event);
4629        mDragFromTextInput = false;
4630        return result;
4631    }
4632
4633    /*package*/ void shortPressOnTextField() {
4634        if (inEditingMode()) {
4635            View v = mWebTextView;
4636            int x = viewToContent((v.getLeft() + v.getRight()) >> 1);
4637            int y = viewToContent((v.getTop() + v.getBottom()) >> 1);
4638            nativeMotionUp(x, y, mNavSlop);
4639        }
4640    }
4641
4642    private void doShortPress() {
4643        if (mNativeClass == 0) {
4644            return;
4645        }
4646        switchOutDrawHistory();
4647        // mLastTouchX and mLastTouchY are the point in the current viewport
4648        int contentX = viewToContent((int) mLastTouchX + mScrollX);
4649        int contentY = viewToContent((int) mLastTouchY + mScrollY);
4650        if (nativeMotionUp(contentX, contentY, mNavSlop)) {
4651            if (mLogEvent) {
4652                Checkin.updateStats(mContext.getContentResolver(),
4653                        Checkin.Stats.Tag.BROWSER_SNAP_CENTER, 1, 0.0);
4654            }
4655        }
4656        if (nativeHasCursorNode() && !nativeCursorIsTextInput()) {
4657            playSoundEffect(SoundEffectConstants.CLICK);
4658        }
4659    }
4660
4661    private void doDoubleTap() {
4662        if (mWebViewCore.getSettings().getUseWideViewPort() == false) {
4663            return;
4664        }
4665        mZoomCenterX = mLastTouchX;
4666        mZoomCenterY = mLastTouchY;
4667        mInZoomOverview = !mInZoomOverview;
4668        if (mInZoomOverview) {
4669            float newScale = (float) getViewWidth()
4670                    / (mZoomOverviewWidth > 0 ? mZoomOverviewWidth
4671                            : mContentWidth);
4672            if (Math.abs(newScale - mActualScale) < 0.01) {
4673                mInZoomOverview = !mInZoomOverview;
4674                // as it is already full screen, do nothing.
4675                return;
4676            }
4677            if (getSettings().getBuiltInZoomControls()) {
4678                if (mZoomButtonsController.isVisible()) {
4679                    mZoomButtonsController.setVisible(false);
4680                }
4681            } else {
4682                if (mZoomControlRunnable != null) {
4683                    mPrivateHandler.removeCallbacks(mZoomControlRunnable);
4684                }
4685                if (mZoomControls != null) {
4686                    mZoomControls.hide();
4687                }
4688            }
4689            zoomWithPreview(newScale);
4690        } else {
4691            // mLastTouchX and mLastTouchY are the point in the current viewport
4692            int contentX = viewToContent((int) mLastTouchX + mScrollX);
4693            int contentY = viewToContent((int) mLastTouchY + mScrollY);
4694            int left = nativeGetBlockLeftEdge(contentX, contentY, mActualScale);
4695            if (left != NO_LEFTEDGE) {
4696                // add a 5pt padding to the left edge. Re-calculate the zoom
4697                // center so that the new scroll x will be on the left edge.
4698                mZoomCenterX = left < 5 ? 0 : (left - 5) * mLastScale
4699                        * mActualScale / (mLastScale - mActualScale);
4700            }
4701            zoomWithPreview(mLastScale);
4702        }
4703    }
4704
4705    // Called by JNI to handle a touch on a node representing an email address,
4706    // address, or phone number
4707    private void overrideLoading(String url) {
4708        mCallbackProxy.uiOverrideUrlLoading(url);
4709    }
4710
4711    // called by JNI
4712    private void sendPluginState(int state) {
4713        WebViewCore.PluginStateData psd = new WebViewCore.PluginStateData();
4714        psd.mFrame = nativeCursorFramePointer();
4715        psd.mNode = nativeCursorNodePointer();
4716        psd.mState = state;
4717        mWebViewCore.sendMessage(EventHub.PLUGIN_STATE, psd);
4718    }
4719
4720    @Override
4721    public boolean requestFocus(int direction, Rect previouslyFocusedRect) {
4722        boolean result = false;
4723        if (inEditingMode()) {
4724            result = mWebTextView.requestFocus(direction,
4725                    previouslyFocusedRect);
4726        } else {
4727            result = super.requestFocus(direction, previouslyFocusedRect);
4728            if (mWebViewCore.getSettings().getNeedInitialFocus()) {
4729                // For cases such as GMail, where we gain focus from a direction,
4730                // we want to move to the first available link.
4731                // FIXME: If there are no visible links, we may not want to
4732                int fakeKeyDirection = 0;
4733                switch(direction) {
4734                    case View.FOCUS_UP:
4735                        fakeKeyDirection = KeyEvent.KEYCODE_DPAD_UP;
4736                        break;
4737                    case View.FOCUS_DOWN:
4738                        fakeKeyDirection = KeyEvent.KEYCODE_DPAD_DOWN;
4739                        break;
4740                    case View.FOCUS_LEFT:
4741                        fakeKeyDirection = KeyEvent.KEYCODE_DPAD_LEFT;
4742                        break;
4743                    case View.FOCUS_RIGHT:
4744                        fakeKeyDirection = KeyEvent.KEYCODE_DPAD_RIGHT;
4745                        break;
4746                    default:
4747                        return result;
4748                }
4749                if (mNativeClass != 0 && !nativeHasCursorNode()) {
4750                    navHandledKey(fakeKeyDirection, 1, true, 0, true);
4751                }
4752            }
4753        }
4754        return result;
4755    }
4756
4757    @Override
4758    protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
4759        super.onMeasure(widthMeasureSpec, heightMeasureSpec);
4760
4761        int heightMode = MeasureSpec.getMode(heightMeasureSpec);
4762        int heightSize = MeasureSpec.getSize(heightMeasureSpec);
4763        int widthMode = MeasureSpec.getMode(widthMeasureSpec);
4764        int widthSize = MeasureSpec.getSize(widthMeasureSpec);
4765
4766        int measuredHeight = heightSize;
4767        int measuredWidth = widthSize;
4768
4769        // Grab the content size from WebViewCore.
4770        int contentHeight = mContentHeight;
4771        int contentWidth = mContentWidth;
4772
4773//        Log.d(LOGTAG, "------- measure " + heightMode);
4774
4775        if (heightMode != MeasureSpec.EXACTLY) {
4776            mHeightCanMeasure = true;
4777            measuredHeight = contentHeight;
4778            if (heightMode == MeasureSpec.AT_MOST) {
4779                // If we are larger than the AT_MOST height, then our height can
4780                // no longer be measured and we should scroll internally.
4781                if (measuredHeight > heightSize) {
4782                    measuredHeight = heightSize;
4783                    mHeightCanMeasure = false;
4784                }
4785            }
4786        } else {
4787            mHeightCanMeasure = false;
4788        }
4789        if (mNativeClass != 0) {
4790            nativeSetHeightCanMeasure(mHeightCanMeasure);
4791        }
4792        // For the width, always use the given size unless unspecified.
4793        if (widthMode == MeasureSpec.UNSPECIFIED) {
4794            mWidthCanMeasure = true;
4795            measuredWidth = contentWidth;
4796        } else {
4797            mWidthCanMeasure = false;
4798        }
4799
4800        synchronized (this) {
4801            setMeasuredDimension(measuredWidth, measuredHeight);
4802        }
4803    }
4804
4805    @Override
4806    public boolean requestChildRectangleOnScreen(View child,
4807                                                 Rect rect,
4808                                                 boolean immediate) {
4809        rect.offset(child.getLeft() - child.getScrollX(),
4810                child.getTop() - child.getScrollY());
4811
4812        int height = getHeight() - getHorizontalScrollbarHeight();
4813        int screenTop = mScrollY;
4814        int screenBottom = screenTop + height;
4815
4816        int scrollYDelta = 0;
4817
4818        if (rect.bottom > screenBottom) {
4819            int oneThirdOfScreenHeight = height / 3;
4820            if (rect.height() > 2 * oneThirdOfScreenHeight) {
4821                // If the rectangle is too tall to fit in the bottom two thirds
4822                // of the screen, place it at the top.
4823                scrollYDelta = rect.top - screenTop;
4824            } else {
4825                // If the rectangle will still fit on screen, we want its
4826                // top to be in the top third of the screen.
4827                scrollYDelta = rect.top - (screenTop + oneThirdOfScreenHeight);
4828            }
4829        } else if (rect.top < screenTop) {
4830            scrollYDelta = rect.top - screenTop;
4831        }
4832
4833        int width = getWidth() - getVerticalScrollbarWidth();
4834        int screenLeft = mScrollX;
4835        int screenRight = screenLeft + width;
4836
4837        int scrollXDelta = 0;
4838
4839        if (rect.right > screenRight && rect.left > screenLeft) {
4840            if (rect.width() > width) {
4841                scrollXDelta += (rect.left - screenLeft);
4842            } else {
4843                scrollXDelta += (rect.right - screenRight);
4844            }
4845        } else if (rect.left < screenLeft) {
4846            scrollXDelta -= (screenLeft - rect.left);
4847        }
4848
4849        if ((scrollYDelta | scrollXDelta) != 0) {
4850            return pinScrollBy(scrollXDelta, scrollYDelta, !immediate, 0);
4851        }
4852
4853        return false;
4854    }
4855
4856    /* package */ void replaceTextfieldText(int oldStart, int oldEnd,
4857            String replace, int newStart, int newEnd) {
4858        WebViewCore.ReplaceTextData arg = new WebViewCore.ReplaceTextData();
4859        arg.mReplace = replace;
4860        arg.mNewStart = newStart;
4861        arg.mNewEnd = newEnd;
4862        mTextGeneration++;
4863        arg.mTextGeneration = mTextGeneration;
4864        mWebViewCore.sendMessage(EventHub.REPLACE_TEXT, oldStart, oldEnd, arg);
4865    }
4866
4867    /* package */ void passToJavaScript(String currentText, KeyEvent event) {
4868        if (nativeCursorWantsKeyEvents() && !nativeCursorMatchesFocus()) {
4869            mWebViewCore.sendMessage(EventHub.CLICK);
4870        }
4871        WebViewCore.JSKeyData arg = new WebViewCore.JSKeyData();
4872        arg.mEvent = event;
4873        arg.mCurrentText = currentText;
4874        // Increase our text generation number, and pass it to webcore thread
4875        mTextGeneration++;
4876        mWebViewCore.sendMessage(EventHub.PASS_TO_JS, mTextGeneration, 0, arg);
4877        // WebKit's document state is not saved until about to leave the page.
4878        // To make sure the host application, like Browser, has the up to date
4879        // document state when it goes to background, we force to save the
4880        // document state.
4881        mWebViewCore.removeMessages(EventHub.SAVE_DOCUMENT_STATE);
4882        mWebViewCore.sendMessageDelayed(EventHub.SAVE_DOCUMENT_STATE,
4883                cursorData(), 1000);
4884    }
4885
4886    /* package */ WebViewCore getWebViewCore() {
4887        return mWebViewCore;
4888    }
4889
4890    //-------------------------------------------------------------------------
4891    // Methods can be called from a separate thread, like WebViewCore
4892    // If it needs to call the View system, it has to send message.
4893    //-------------------------------------------------------------------------
4894
4895    /**
4896     * General handler to receive message coming from webkit thread
4897     */
4898    class PrivateHandler extends Handler {
4899        @Override
4900        public void handleMessage(Message msg) {
4901            if (DebugFlags.WEB_VIEW) {
4902                Log.v(LOGTAG, msg.what < REMEMBER_PASSWORD || msg.what
4903                        > INVAL_RECT_MSG_ID ? Integer.toString(msg.what)
4904                        : HandlerDebugString[msg.what - REMEMBER_PASSWORD]);
4905            }
4906            switch (msg.what) {
4907                case REMEMBER_PASSWORD: {
4908                    mDatabase.setUsernamePassword(
4909                            msg.getData().getString("host"),
4910                            msg.getData().getString("username"),
4911                            msg.getData().getString("password"));
4912                    ((Message) msg.obj).sendToTarget();
4913                    break;
4914                }
4915                case NEVER_REMEMBER_PASSWORD: {
4916                    mDatabase.setUsernamePassword(
4917                            msg.getData().getString("host"), null, null);
4918                    ((Message) msg.obj).sendToTarget();
4919                    break;
4920                }
4921                case SWITCH_TO_SHORTPRESS: {
4922                    if (mTouchMode == TOUCH_INIT_MODE) {
4923                        mTouchMode = TOUCH_SHORTPRESS_START_MODE;
4924                        updateSelection();
4925                    } else if (mTouchMode == TOUCH_DOUBLE_TAP_MODE) {
4926                        mTouchMode = TOUCH_DONE_MODE;
4927                    }
4928                    break;
4929                }
4930                case SWITCH_TO_LONGPRESS: {
4931                    if (!mPreventDrag) {
4932                        mTouchMode = TOUCH_DONE_MODE;
4933                        performLongClick();
4934                        rebuildWebTextView();
4935                    }
4936                    break;
4937                }
4938                case RELEASE_SINGLE_TAP: {
4939                    if (!mPreventDrag) {
4940                        mTouchMode = TOUCH_DONE_MODE;
4941                        doShortPress();
4942                    }
4943                    break;
4944                }
4945                case SWITCH_TO_CLICK:
4946                    // The user clicked with the trackball, and did not click a
4947                    // second time, so perform the action of a trackball single
4948                    // click
4949                    mTouchMode = TOUCH_DONE_MODE;
4950                    Rect visibleRect = sendOurVisibleRect();
4951                    // Note that sendOurVisibleRect calls viewToContent, so the
4952                    // coordinates should be in content coordinates.
4953                    if (!nativeCursorIntersects(visibleRect)) {
4954                        break;
4955                    }
4956                    nativeSetFollowedLink(true);
4957                    nativeUpdatePluginReceivesEvents();
4958                    WebViewCore.CursorData data = cursorData();
4959                    mWebViewCore.sendMessage(EventHub.SET_MOVE_MOUSE, data);
4960                    playSoundEffect(SoundEffectConstants.CLICK);
4961                    boolean isTextInput = nativeCursorIsTextInput();
4962                    if (isTextInput || !mCallbackProxy.uiOverrideUrlLoading(
4963                                nativeCursorText())) {
4964                        mWebViewCore.sendMessage(EventHub.CLICK, data.mFrame,
4965                                nativeCursorNodePointer());
4966                    }
4967                    if (isTextInput) {
4968                        rebuildWebTextView();
4969                    }
4970                    break;
4971                case SCROLL_BY_MSG_ID:
4972                    setContentScrollBy(msg.arg1, msg.arg2, (Boolean) msg.obj);
4973                    break;
4974                case SYNC_SCROLL_TO_MSG_ID:
4975                    if (mUserScroll) {
4976                        // if user has scrolled explicitly, don't sync the
4977                        // scroll position any more
4978                        mUserScroll = false;
4979                        break;
4980                    }
4981                    // fall through
4982                case SCROLL_TO_MSG_ID:
4983                    if (setContentScrollTo(msg.arg1, msg.arg2)) {
4984                        // if we can't scroll to the exact position due to pin,
4985                        // send a message to WebCore to re-scroll when we get a
4986                        // new picture
4987                        mUserScroll = false;
4988                        mWebViewCore.sendMessage(EventHub.SYNC_SCROLL,
4989                                msg.arg1, msg.arg2);
4990                    }
4991                    break;
4992                case SPAWN_SCROLL_TO_MSG_ID:
4993                    spawnContentScrollTo(msg.arg1, msg.arg2);
4994                    break;
4995                case NEW_PICTURE_MSG_ID:
4996                    // called for new content
4997                    final int viewWidth = getViewWidth();
4998                    final WebViewCore.DrawData draw =
4999                            (WebViewCore.DrawData) msg.obj;
5000                    final Point viewSize = draw.mViewPoint;
5001                    boolean useWideViewport =
5002                            mWebViewCore.getSettings().getUseWideViewPort();
5003                    WebViewCore.RestoreState restoreState = draw.mRestoreState;
5004                    if (restoreState != null) {
5005                        mInZoomOverview = false;
5006                        mLastScale = restoreState.mTextWrapScale;
5007                        if (restoreState.mMinScale == 0) {
5008                            mMinZoomScale = DEFAULT_MIN_ZOOM_SCALE;
5009                            mMinZoomScaleFixed = false;
5010                        } else {
5011                            mMinZoomScale = restoreState.mMinScale;
5012                            mMinZoomScaleFixed = true;
5013                        }
5014                        if (restoreState.mMaxScale == 0) {
5015                            mMaxZoomScale = DEFAULT_MAX_ZOOM_SCALE;
5016                        } else {
5017                            mMaxZoomScale = restoreState.mMaxScale;
5018                        }
5019                        if (useWideViewport && restoreState.mViewScale == 0) {
5020                            mInZoomOverview = ENABLE_DOUBLETAP_ZOOM;
5021                        }
5022                        setNewZoomScale(mLastScale, false);
5023                        setContentScrollTo(restoreState.mScrollX,
5024                                restoreState.mScrollY);
5025                        // As we are on a new page, remove the WebTextView. This
5026                        // is necessary for page loads driven by webkit, and in
5027                        // particular when the user was on a password field, so
5028                        // the WebTextView was visible.
5029                        clearTextEntry();
5030                    }
5031                    // We update the layout (i.e. request a layout from the
5032                    // view system) if the last view size that we sent to
5033                    // WebCore matches the view size of the picture we just
5034                    // received in the fixed dimension.
5035                    final boolean updateLayout = viewSize.x == mLastWidthSent
5036                            && viewSize.y == mLastHeightSent;
5037                    recordNewContentSize(draw.mWidthHeight.x,
5038                            draw.mWidthHeight.y, updateLayout);
5039                    if (DebugFlags.WEB_VIEW) {
5040                        Rect b = draw.mInvalRegion.getBounds();
5041                        Log.v(LOGTAG, "NEW_PICTURE_MSG_ID {" +
5042                                b.left+","+b.top+","+b.right+","+b.bottom+"}");
5043                    }
5044                    invalidate(contentToView(draw.mInvalRegion.getBounds()));
5045                    if (mPictureListener != null) {
5046                        mPictureListener.onNewPicture(WebView.this, capturePicture());
5047                    }
5048                    if (useWideViewport) {
5049                        mZoomOverviewWidth = Math.max(draw.mMinPrefWidth,
5050                                draw.mViewPoint.x);
5051                    }
5052                    if (!mMinZoomScaleFixed) {
5053                        mMinZoomScale = (float) viewWidth
5054                                / Math.max(ZOOM_OUT_WIDTH,
5055                                mZoomOverviewWidth > 0 ? mZoomOverviewWidth
5056                                        : mContentWidth);
5057                    }
5058                    if (!mDrawHistory && mInZoomOverview) {
5059                        // fit the content width to the current view. Ignore
5060                        // the rounding error case.
5061                        if (Math.abs((viewWidth * mInvActualScale)
5062                                - mZoomOverviewWidth) > 1) {
5063                            zoomWithPreview((float) viewWidth
5064                                    / mZoomOverviewWidth);
5065                        }
5066                    }
5067                    break;
5068                case WEBCORE_INITIALIZED_MSG_ID:
5069                    // nativeCreate sets mNativeClass to a non-zero value
5070                    nativeCreate(msg.arg1);
5071                    break;
5072                case UPDATE_TEXTFIELD_TEXT_MSG_ID:
5073                    // Make sure that the textfield is currently focused
5074                    // and representing the same node as the pointer.
5075                    if (inEditingMode() &&
5076                            mWebTextView.isSameTextField(msg.arg1)) {
5077                        if (msg.getData().getBoolean("password")) {
5078                            Spannable text = (Spannable) mWebTextView.getText();
5079                            int start = Selection.getSelectionStart(text);
5080                            int end = Selection.getSelectionEnd(text);
5081                            mWebTextView.setInPassword(true);
5082                            // Restore the selection, which may have been
5083                            // ruined by setInPassword.
5084                            Spannable pword =
5085                                    (Spannable) mWebTextView.getText();
5086                            Selection.setSelection(pword, start, end);
5087                        // If the text entry has created more events, ignore
5088                        // this one.
5089                        } else if (msg.arg2 == mTextGeneration) {
5090                            mWebTextView.setTextAndKeepSelection(
5091                                    (String) msg.obj);
5092                        }
5093                    }
5094                    break;
5095                case MOVE_OUT_OF_PLUGIN:
5096                    if (nativePluginEatsNavKey()) {
5097                        navHandledKey(msg.arg1, 1, false, 0, true);
5098                    }
5099                    break;
5100                case UPDATE_TEXT_ENTRY_MSG_ID:
5101                    // this is sent after finishing resize in WebViewCore. Make
5102                    // sure the text edit box is still on the  screen.
5103                    if (inEditingMode() && nativeCursorIsTextInput()) {
5104                        mWebTextView.bringIntoView();
5105                        rebuildWebTextView();
5106                    }
5107                    break;
5108                case CLEAR_TEXT_ENTRY:
5109                    clearTextEntry();
5110                    break;
5111                case INVAL_RECT_MSG_ID: {
5112                    Rect r = (Rect)msg.obj;
5113                    if (r == null) {
5114                        invalidate();
5115                    } else {
5116                        // we need to scale r from content into view coords,
5117                        // which viewInvalidate() does for us
5118                        viewInvalidate(r.left, r.top, r.right, r.bottom);
5119                    }
5120                    break;
5121                }
5122                case REQUEST_FORM_DATA:
5123                    AutoCompleteAdapter adapter = (AutoCompleteAdapter) msg.obj;
5124                    if (mWebTextView.isSameTextField(msg.arg1)) {
5125                        mWebTextView.setAdapterCustom(adapter);
5126                    }
5127                    break;
5128                case UPDATE_CLIPBOARD:
5129                    String str = (String) msg.obj;
5130                    if (DebugFlags.WEB_VIEW) {
5131                        Log.v(LOGTAG, "UPDATE_CLIPBOARD " + str);
5132                    }
5133                    try {
5134                        IClipboard clip = IClipboard.Stub.asInterface(
5135                                ServiceManager.getService("clipboard"));
5136                                clip.setClipboardText(str);
5137                    } catch (android.os.RemoteException e) {
5138                        Log.e(LOGTAG, "Clipboard failed", e);
5139                    }
5140                    break;
5141                case RESUME_WEBCORE_UPDATE:
5142                    WebViewCore.resumeUpdate(mWebViewCore);
5143                    break;
5144
5145                case LONG_PRESS_CENTER:
5146                    // as this is shared by keydown and trackballdown, reset all
5147                    // the states
5148                    mGotCenterDown = false;
5149                    mTrackballDown = false;
5150                    // LONG_PRESS_CENTER is sent as a delayed message. If we
5151                    // switch to windows overview, the WebView will be
5152                    // temporarily removed from the view system. In that case,
5153                    // do nothing.
5154                    if (getParent() != null) {
5155                        performLongClick();
5156                    }
5157                    break;
5158
5159                case WEBCORE_NEED_TOUCH_EVENTS:
5160                    mForwardTouchEvents = (msg.arg1 != 0);
5161                    break;
5162
5163                case PREVENT_TOUCH_ID:
5164                    if (msg.arg1 == MotionEvent.ACTION_DOWN) {
5165                        mPreventDrag = msg.arg2 == 1;
5166                        if (mPreventDrag) {
5167                            mTouchMode = TOUCH_DONE_MODE;
5168                        }
5169                    }
5170                    break;
5171
5172                case REQUEST_KEYBOARD:
5173                    if (msg.arg1 == 0) {
5174                        hideSoftKeyboard();
5175                    } else {
5176                        displaySoftKeyboard(false);
5177                    }
5178                    break;
5179
5180                default:
5181                    super.handleMessage(msg);
5182                    break;
5183            }
5184        }
5185    }
5186
5187    // Class used to use a dropdown for a <select> element
5188    private class InvokeListBox implements Runnable {
5189        // Whether the listbox allows multiple selection.
5190        private boolean     mMultiple;
5191        // Passed in to a list with multiple selection to tell
5192        // which items are selected.
5193        private int[]       mSelectedArray;
5194        // Passed in to a list with single selection to tell
5195        // where the initial selection is.
5196        private int         mSelection;
5197
5198        private Container[] mContainers;
5199
5200        // Need these to provide stable ids to my ArrayAdapter,
5201        // which normally does not have stable ids. (Bug 1250098)
5202        private class Container extends Object {
5203            String  mString;
5204            boolean mEnabled;
5205            int     mId;
5206
5207            public String toString() {
5208                return mString;
5209            }
5210        }
5211
5212        /**
5213         *  Subclass ArrayAdapter so we can disable OptionGroupLabels,
5214         *  and allow filtering.
5215         */
5216        private class MyArrayListAdapter extends ArrayAdapter<Container> {
5217            public MyArrayListAdapter(Context context, Container[] objects, boolean multiple) {
5218                super(context,
5219                            multiple ? com.android.internal.R.layout.select_dialog_multichoice :
5220                            com.android.internal.R.layout.select_dialog_singlechoice,
5221                            objects);
5222            }
5223
5224            @Override
5225            public boolean hasStableIds() {
5226                // AdapterView's onChanged method uses this to determine whether
5227                // to restore the old state.  Return false so that the old (out
5228                // of date) state does not replace the new, valid state.
5229                return false;
5230            }
5231
5232            private Container item(int position) {
5233                if (position < 0 || position >= getCount()) {
5234                    return null;
5235                }
5236                return (Container) getItem(position);
5237            }
5238
5239            @Override
5240            public long getItemId(int position) {
5241                Container item = item(position);
5242                if (item == null) {
5243                    return -1;
5244                }
5245                return item.mId;
5246            }
5247
5248            @Override
5249            public boolean areAllItemsEnabled() {
5250                return false;
5251            }
5252
5253            @Override
5254            public boolean isEnabled(int position) {
5255                Container item = item(position);
5256                if (item == null) {
5257                    return false;
5258                }
5259                return item.mEnabled;
5260            }
5261        }
5262
5263        private InvokeListBox(String[] array,
5264                boolean[] enabled, int[] selected) {
5265            mMultiple = true;
5266            mSelectedArray = selected;
5267
5268            int length = array.length;
5269            mContainers = new Container[length];
5270            for (int i = 0; i < length; i++) {
5271                mContainers[i] = new Container();
5272                mContainers[i].mString = array[i];
5273                mContainers[i].mEnabled = enabled[i];
5274                mContainers[i].mId = i;
5275            }
5276        }
5277
5278        private InvokeListBox(String[] array, boolean[] enabled, int
5279                selection) {
5280            mSelection = selection;
5281            mMultiple = false;
5282
5283            int length = array.length;
5284            mContainers = new Container[length];
5285            for (int i = 0; i < length; i++) {
5286                mContainers[i] = new Container();
5287                mContainers[i].mString = array[i];
5288                mContainers[i].mEnabled = enabled[i];
5289                mContainers[i].mId = i;
5290            }
5291        }
5292
5293        /*
5294         * Whenever the data set changes due to filtering, this class ensures
5295         * that the checked item remains checked.
5296         */
5297        private class SingleDataSetObserver extends DataSetObserver {
5298            private long        mCheckedId;
5299            private ListView    mListView;
5300            private Adapter     mAdapter;
5301
5302            /*
5303             * Create a new observer.
5304             * @param id The ID of the item to keep checked.
5305             * @param l ListView for getting and clearing the checked states
5306             * @param a Adapter for getting the IDs
5307             */
5308            public SingleDataSetObserver(long id, ListView l, Adapter a) {
5309                mCheckedId = id;
5310                mListView = l;
5311                mAdapter = a;
5312            }
5313
5314            public void onChanged() {
5315                // The filter may have changed which item is checked.  Find the
5316                // item that the ListView thinks is checked.
5317                int position = mListView.getCheckedItemPosition();
5318                long id = mAdapter.getItemId(position);
5319                if (mCheckedId != id) {
5320                    // Clear the ListView's idea of the checked item, since
5321                    // it is incorrect
5322                    mListView.clearChoices();
5323                    // Search for mCheckedId.  If it is in the filtered list,
5324                    // mark it as checked
5325                    int count = mAdapter.getCount();
5326                    for (int i = 0; i < count; i++) {
5327                        if (mAdapter.getItemId(i) == mCheckedId) {
5328                            mListView.setItemChecked(i, true);
5329                            break;
5330                        }
5331                    }
5332                }
5333            }
5334
5335            public void onInvalidate() {}
5336        }
5337
5338        public void run() {
5339            final ListView listView = (ListView) LayoutInflater.from(mContext)
5340                    .inflate(com.android.internal.R.layout.select_dialog, null);
5341            final MyArrayListAdapter adapter = new
5342                    MyArrayListAdapter(mContext, mContainers, mMultiple);
5343            AlertDialog.Builder b = new AlertDialog.Builder(mContext)
5344                    .setView(listView).setCancelable(true)
5345                    .setInverseBackgroundForced(true);
5346
5347            if (mMultiple) {
5348                b.setPositiveButton(android.R.string.ok, new DialogInterface.OnClickListener() {
5349                    public void onClick(DialogInterface dialog, int which) {
5350                        mWebViewCore.sendMessage(
5351                                EventHub.LISTBOX_CHOICES,
5352                                adapter.getCount(), 0,
5353                                listView.getCheckedItemPositions());
5354                    }});
5355                b.setNegativeButton(android.R.string.cancel,
5356                        new DialogInterface.OnClickListener() {
5357                    public void onClick(DialogInterface dialog, int which) {
5358                        mWebViewCore.sendMessage(
5359                                EventHub.SINGLE_LISTBOX_CHOICE, -2, 0);
5360                }});
5361            }
5362            final AlertDialog dialog = b.create();
5363            listView.setAdapter(adapter);
5364            listView.setFocusableInTouchMode(true);
5365            // There is a bug (1250103) where the checks in a ListView with
5366            // multiple items selected are associated with the positions, not
5367            // the ids, so the items do not properly retain their checks when
5368            // filtered.  Do not allow filtering on multiple lists until
5369            // that bug is fixed.
5370
5371            listView.setTextFilterEnabled(!mMultiple);
5372            if (mMultiple) {
5373                listView.setChoiceMode(ListView.CHOICE_MODE_MULTIPLE);
5374                int length = mSelectedArray.length;
5375                for (int i = 0; i < length; i++) {
5376                    listView.setItemChecked(mSelectedArray[i], true);
5377                }
5378            } else {
5379                listView.setOnItemClickListener(new OnItemClickListener() {
5380                    public void onItemClick(AdapterView parent, View v,
5381                            int position, long id) {
5382                        mWebViewCore.sendMessage(
5383                                EventHub.SINGLE_LISTBOX_CHOICE, (int)id, 0);
5384                        dialog.dismiss();
5385                    }
5386                });
5387                if (mSelection != -1) {
5388                    listView.setSelection(mSelection);
5389                    listView.setChoiceMode(ListView.CHOICE_MODE_SINGLE);
5390                    listView.setItemChecked(mSelection, true);
5391                    DataSetObserver observer = new SingleDataSetObserver(
5392                            adapter.getItemId(mSelection), listView, adapter);
5393                    adapter.registerDataSetObserver(observer);
5394                }
5395            }
5396            dialog.setOnCancelListener(new DialogInterface.OnCancelListener() {
5397                public void onCancel(DialogInterface dialog) {
5398                    mWebViewCore.sendMessage(
5399                                EventHub.SINGLE_LISTBOX_CHOICE, -2, 0);
5400                }
5401            });
5402            dialog.show();
5403        }
5404    }
5405
5406    /*
5407     * Request a dropdown menu for a listbox with multiple selection.
5408     *
5409     * @param array Labels for the listbox.
5410     * @param enabledArray  Which positions are enabled.
5411     * @param selectedArray Which positions are initally selected.
5412     */
5413    void requestListBox(String[] array, boolean[]enabledArray, int[]
5414            selectedArray) {
5415        mPrivateHandler.post(
5416                new InvokeListBox(array, enabledArray, selectedArray));
5417    }
5418
5419    /*
5420     * Request a dropdown menu for a listbox with single selection or a single
5421     * <select> element.
5422     *
5423     * @param array Labels for the listbox.
5424     * @param enabledArray  Which positions are enabled.
5425     * @param selection Which position is initally selected.
5426     */
5427    void requestListBox(String[] array, boolean[]enabledArray, int selection) {
5428        mPrivateHandler.post(
5429                new InvokeListBox(array, enabledArray, selection));
5430    }
5431
5432    // called by JNI
5433    private void sendMoveMouse(int frame, int node, int x, int y) {
5434        mWebViewCore.sendMessage(EventHub.SET_MOVE_MOUSE,
5435                new WebViewCore.CursorData(frame, node, x, y));
5436    }
5437
5438    /*
5439     * Send a mouse move event to the webcore thread.
5440     *
5441     * @param removeFocus Pass true if the "mouse" cursor is now over a node
5442     *                    which wants key events, but it is not the focus. This
5443     *                    will make the visual appear as though nothing is in
5444     *                    focus.  Remove the WebTextView, if present, and stop
5445     *                    drawing the blinking caret.
5446     * called by JNI
5447     */
5448    private void sendMoveMouseIfLatest(boolean removeFocus) {
5449        if (removeFocus) {
5450            clearTextEntry();
5451            setFocusControllerInactive();
5452        }
5453        mWebViewCore.sendMessage(EventHub.SET_MOVE_MOUSE_IF_LATEST,
5454                cursorData());
5455    }
5456
5457    // called by JNI
5458    private void sendMotionUp(int touchGeneration,
5459            int frame, int node, int x, int y, int size) {
5460        WebViewCore.TouchUpData touchUpData = new WebViewCore.TouchUpData();
5461        touchUpData.mMoveGeneration = touchGeneration;
5462        touchUpData.mSize = size;
5463        touchUpData.mFrame = frame;
5464        touchUpData.mNode = node;
5465        touchUpData.mX = x;
5466        touchUpData.mY = y;
5467        mWebViewCore.sendMessage(EventHub.TOUCH_UP, touchUpData);
5468    }
5469
5470
5471    private int getScaledMaxXScroll() {
5472        int width;
5473        if (mHeightCanMeasure == false) {
5474            width = getViewWidth() / 4;
5475        } else {
5476            Rect visRect = new Rect();
5477            calcOurVisibleRect(visRect);
5478            width = visRect.width() / 2;
5479        }
5480        // FIXME the divisor should be retrieved from somewhere
5481        return viewToContent(width);
5482    }
5483
5484    private int getScaledMaxYScroll() {
5485        int height;
5486        if (mHeightCanMeasure == false) {
5487            height = getViewHeight() / 4;
5488        } else {
5489            Rect visRect = new Rect();
5490            calcOurVisibleRect(visRect);
5491            height = visRect.height() / 2;
5492        }
5493        // FIXME the divisor should be retrieved from somewhere
5494        // the closest thing today is hard-coded into ScrollView.java
5495        // (from ScrollView.java, line 363)   int maxJump = height/2;
5496        return viewToContent(height);
5497    }
5498
5499    /**
5500     * Called by JNI to invalidate view
5501     */
5502    private void viewInvalidate() {
5503        invalidate();
5504    }
5505
5506    // return true if the key was handled
5507    private boolean navHandledKey(int keyCode, int count, boolean noScroll,
5508            long time, boolean ignorePlugin) {
5509        if (mNativeClass == 0) {
5510            return false;
5511        }
5512        if (ignorePlugin == false && nativePluginEatsNavKey()) {
5513            KeyEvent event = new KeyEvent(time, time, KeyEvent.ACTION_DOWN
5514                , keyCode, count, (mShiftIsPressed ? KeyEvent.META_SHIFT_ON : 0)
5515                | (false ? KeyEvent.META_ALT_ON : 0) // FIXME
5516                | (false ? KeyEvent.META_SYM_ON : 0) // FIXME
5517                , 0, 0, 0);
5518            mWebViewCore.sendMessage(EventHub.KEY_DOWN, event);
5519            mWebViewCore.sendMessage(EventHub.KEY_UP, event);
5520            return true;
5521        }
5522        mLastCursorTime = time;
5523        mLastCursorBounds = nativeGetCursorRingBounds();
5524        boolean keyHandled
5525                = nativeMoveCursor(keyCode, count, noScroll) == false;
5526        if (DebugFlags.WEB_VIEW) {
5527            Log.v(LOGTAG, "navHandledKey mLastCursorBounds=" + mLastCursorBounds
5528                    + " mLastCursorTime=" + mLastCursorTime
5529                    + " handled=" + keyHandled);
5530        }
5531        if (keyHandled == false || mHeightCanMeasure == false) {
5532            return keyHandled;
5533        }
5534        Rect contentCursorRingBounds = nativeGetCursorRingBounds();
5535        if (contentCursorRingBounds.isEmpty()) return keyHandled;
5536        Rect viewCursorRingBounds = contentToView(contentCursorRingBounds);
5537        Rect visRect = new Rect();
5538        calcOurVisibleRect(visRect);
5539        Rect outset = new Rect(visRect);
5540        int maxXScroll = visRect.width() / 2;
5541        int maxYScroll = visRect.height() / 2;
5542        outset.inset(-maxXScroll, -maxYScroll);
5543        if (Rect.intersects(outset, viewCursorRingBounds) == false) {
5544            return keyHandled;
5545        }
5546        // FIXME: Necessary because ScrollView/ListView do not scroll left/right
5547        int maxH = Math.min(viewCursorRingBounds.right - visRect.right,
5548                maxXScroll);
5549        if (maxH > 0) {
5550            pinScrollBy(maxH, 0, true, 0);
5551        } else {
5552            maxH = Math.max(viewCursorRingBounds.left - visRect.left,
5553                    -maxXScroll);
5554            if (maxH < 0) {
5555                pinScrollBy(maxH, 0, true, 0);
5556            }
5557        }
5558        if (mLastCursorBounds.isEmpty()) return keyHandled;
5559        if (mLastCursorBounds.equals(contentCursorRingBounds)) {
5560            return keyHandled;
5561        }
5562        if (DebugFlags.WEB_VIEW) {
5563            Log.v(LOGTAG, "navHandledKey contentCursorRingBounds="
5564                    + contentCursorRingBounds);
5565        }
5566        requestRectangleOnScreen(viewCursorRingBounds);
5567        mUserScroll = true;
5568        return keyHandled;
5569    }
5570
5571    /**
5572     * Set the background color. It's white by default. Pass
5573     * zero to make the view transparent.
5574     * @param color   the ARGB color described by Color.java
5575     */
5576    public void setBackgroundColor(int color) {
5577        mBackgroundColor = color;
5578        mWebViewCore.sendMessage(EventHub.SET_BACKGROUND_COLOR, color);
5579    }
5580
5581    public void debugDump() {
5582        nativeDebugDump();
5583        mWebViewCore.sendMessage(EventHub.DUMP_NAVTREE);
5584    }
5585
5586    /**
5587     *  Update our cache with updatedText.
5588     *  @param updatedText  The new text to put in our cache.
5589     */
5590    /* package */ void updateCachedTextfield(String updatedText) {
5591        // Also place our generation number so that when we look at the cache
5592        // we recognize that it is up to date.
5593        nativeUpdateCachedTextfield(updatedText, mTextGeneration);
5594    }
5595
5596    /* package */ native void nativeClearCursor();
5597    private native void     nativeCreate(int ptr);
5598    private native int      nativeCursorFramePointer();
5599    private native Rect     nativeCursorNodeBounds();
5600    /* package */ native int nativeCursorNodePointer();
5601    /* package */ native boolean nativeCursorMatchesFocus();
5602    private native boolean  nativeCursorIntersects(Rect visibleRect);
5603    private native boolean  nativeCursorIsAnchor();
5604    private native boolean  nativeCursorIsPlugin();
5605    private native boolean  nativeCursorIsTextInput();
5606    private native Point    nativeCursorPosition();
5607    private native String   nativeCursorText();
5608    /**
5609     * Returns true if the native cursor node says it wants to handle key events
5610     * (ala plugins). This can only be called if mNativeClass is non-zero!
5611     */
5612    private native boolean  nativeCursorWantsKeyEvents();
5613    private native void     nativeDebugDump();
5614    private native void     nativeDestroy();
5615    private native void     nativeDrawCursorRing(Canvas content);
5616    private native void     nativeDrawMatches(Canvas canvas);
5617    private native void     nativeDrawSelection(Canvas content
5618            , int x, int y, boolean extendSelection);
5619    private native void     nativeDrawSelectionRegion(Canvas content);
5620    private native void     nativeDumpDisplayTree(String urlOrNull);
5621    private native int      nativeFindAll(String findLower, String findUpper);
5622    private native void     nativeFindNext(boolean forward);
5623    private native boolean  nativeFocusCandidateIsPassword();
5624    private native boolean  nativeFocusCandidateIsRtlText();
5625    private native boolean  nativeFocusCandidateIsTextField();
5626    private native boolean  nativeFocusCandidateIsTextInput();
5627    private native int      nativeFocusCandidateMaxLength();
5628    /* package */ native String   nativeFocusCandidateName();
5629    private native Rect     nativeFocusCandidateNodeBounds();
5630    /* package */ native int nativeFocusCandidatePointer();
5631    private native String   nativeFocusCandidateText();
5632    private native int      nativeFocusCandidateTextSize();
5633    /* package */ native int nativeFocusNodePointer();
5634    private native Rect     nativeGetCursorRingBounds();
5635    private native Region   nativeGetSelection();
5636    private native boolean  nativeHasCursorNode();
5637    private native boolean  nativeHasFocusNode();
5638    private native void     nativeHideCursor();
5639    private native String   nativeImageURI(int x, int y);
5640    private native void     nativeInstrumentReport();
5641    /* package */ native void nativeMoveCursorToNextTextInput();
5642    // return true if the page has been scrolled
5643    private native boolean  nativeMotionUp(int x, int y, int slop);
5644    // returns false if it handled the key
5645    private native boolean  nativeMoveCursor(int keyCode, int count,
5646            boolean noScroll);
5647    private native int      nativeMoveGeneration();
5648    private native void     nativeMoveSelection(int x, int y,
5649            boolean extendSelection);
5650    private native boolean  nativePluginEatsNavKey();
5651    // Like many other of our native methods, you must make sure that
5652    // mNativeClass is not null before calling this method.
5653    private native void     nativeRecordButtons(boolean focused,
5654            boolean pressed, boolean invalidate);
5655    private native void     nativeSelectBestAt(Rect rect);
5656    private native void     nativeSetFindIsDown();
5657    private native void     nativeSetFollowedLink(boolean followed);
5658    private native void     nativeSetHeightCanMeasure(boolean measure);
5659    // Returns a value corresponding to CachedFrame::ImeAction
5660    /* package */ native int  nativeTextFieldAction();
5661    private native int      nativeTextGeneration();
5662    // Never call this version except by updateCachedTextfield(String) -
5663    // we always want to pass in our generation number.
5664    private native void     nativeUpdateCachedTextfield(String updatedText,
5665            int generation);
5666    private native void     nativeUpdatePluginReceivesEvents();
5667    // return NO_LEFTEDGE means failure.
5668    private static final int NO_LEFTEDGE = -1;
5669    private native int      nativeGetBlockLeftEdge(int x, int y, float scale);
5670}
5671