1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599
|
// Copyright 2012 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CONTENT_BROWSER_RENDERER_HOST_RENDER_WIDGET_HOST_IMPL_H_
#define CONTENT_BROWSER_RENDERER_HOST_RENDER_WIDGET_HOST_IMPL_H_
#include <stddef.h>
#include <stdint.h>
#include <map>
#include <memory>
#include <optional>
#include <string>
#include <utility>
#include <vector>
#include "base/callback_list.h"
#include "base/containers/flat_map.h"
#include "base/containers/flat_set.h"
#include "base/functional/callback.h"
#include "base/gtest_prod_util.h"
#include "base/memory/raw_ptr.h"
#include "base/memory/raw_ref.h"
#include "base/memory/safe_ref.h"
#include "base/memory/weak_ptr.h"
#include "base/observer_list.h"
#include "base/process/kill.h"
#include "base/scoped_observation_traits.h"
#include "base/time/time.h"
#include "base/timer/timer.h"
#include "base/types/pass_key.h"
#include "build/build_config.h"
#include "cc/mojom/render_frame_metadata.mojom.h"
#include "components/input/event_with_latency_info.h"
#include "components/input/input_disposition_handler.h"
#include "components/input/input_router_impl.h"
#include "components/input/render_input_router.h"
#include "components/input/render_input_router_client.h"
#include "components/input/render_input_router_delegate.h"
#include "components/input/touch_emulator_client.h"
#include "components/viz/common/surfaces/frame_sink_id.h"
#include "content/browser/renderer_host/agent_scheduling_group_host.h"
#include "content/browser/renderer_host/frame_token_message_queue.h"
#include "content/browser/renderer_host/input/touch_emulator_impl.h"
#include "content/browser/renderer_host/mojo_render_input_router_delegate_impl.h"
#include "content/browser/renderer_host/render_frame_metadata_provider_impl.h"
#include "content/browser/renderer_host/render_widget_host_delegate.h"
#include "content/browser/renderer_host/render_widget_host_view_base.h"
#include "content/common/content_export.h"
#include "content/common/frame.mojom-forward.h"
#include "content/common/input/synthetic_gesture.h"
#include "content/common/input/synthetic_gesture_controller.h"
#include "content/public/browser/render_process_host_observer.h"
#include "content/public/browser/render_process_host_priority_client.h"
#include "content/public/browser/render_widget_host.h"
#include "mojo/public/cpp/bindings/associated_remote.h"
#include "mojo/public/cpp/bindings/pending_receiver.h"
#include "mojo/public/cpp/bindings/pending_remote.h"
#include "mojo/public/cpp/bindings/receiver.h"
#include "mojo/public/cpp/bindings/remote.h"
#include "services/viz/public/mojom/compositing/compositor_frame_sink.mojom-forward.h"
#include "third_party/blink/public/mojom/input/input_event_result.mojom-shared.h"
#include "third_party/blink/public/mojom/input/input_handler.mojom.h"
#include "third_party/blink/public/mojom/input/pointer_lock_context.mojom.h"
#include "third_party/blink/public/mojom/keyboard_lock/keyboard_lock.mojom.h"
#include "third_party/blink/public/mojom/manifest/display_mode.mojom.h"
#include "third_party/blink/public/mojom/page/widget.mojom.h"
#include "third_party/blink/public/mojom/widget/platform_widget.mojom.h"
#include "third_party/blink/public/mojom/widget/record_content_to_visible_time_request.mojom-forward.h"
#include "ui/base/dragdrop/mojom/drag_drop_types.mojom-forward.h"
#include "ui/base/ime/text_input_mode.h"
#include "ui/base/ime/text_input_type.h"
#include "ui/base/mojom/menu_source_type.mojom-forward.h"
#include "ui/gfx/native_widget_types.h"
#include "ui/latency/latency_info.h"
#include "url/origin.h"
#if BUILDFLAG(IS_ANDROID)
#include "content/public/browser/android/child_process_importance.h"
#endif
#if BUILDFLAG(IS_MAC)
#include "services/device/public/mojom/wake_lock.mojom.h"
#endif
class SkBitmap;
namespace blink {
class WebInputEvent;
class WebMouseEvent;
} // namespace blink
namespace cc {
struct BrowserControlsOffsetTagModifications;
} // namespace cc
namespace gfx {
class Image;
class Range;
class Vector2dF;
} // namespace gfx
namespace input {
class InputRouter;
class TimeoutMonitor;
class FlingSchedulerBase;
} // namespace input
namespace ui {
enum class DomCode : uint32_t;
}
namespace content {
class FrameTree;
class MockRenderWidgetHost;
class MockRenderWidgetHostImpl;
class RenderWidgetHostOwnerDelegate;
class RenderWidgetHostFactory;
class SiteInstanceGroup;
class SyntheticGestureController;
class VisibleTimeRequestTrigger;
// This implements the RenderWidgetHost interface that is exposed to
// embedders of content, and adds things only visible to content.
//
// Several core rendering primitives are mirrored between the browser and
// renderer. These are `blink::WidgetBase`, `RenderFrame` and `blink::WebView`.
// Their browser counterparts are `RenderWidgetHost`, `RenderFrameHost` and
// `RenderViewHost`.
//
// For simplicity and clarity, we want the object ownership graph in the
// renderer to mirror the object ownership graph in the browser. The IPC message
// that tears down the renderer object graph should be targeted at the root
// object, and should be sent by the destructor/finalizer of the root object in
// the browser.
//
// Note: We must tear down the renderer object graph with a single IPC to avoid
// inconsistencies in renderer state.
//
// RenderWidget represents a surface that can paint and receive input. It is
// used in four contexts:
// * Main frame for webpage (root is `blink::WebView`)
// * Child frame for webpage (root is RenderFrame)
// * Popups (root is RenderWidget)
// * Pepper Fullscreen (root is RenderWidget)
//
// Destruction of the RenderWidgetHost will trigger destruction of the
// RenderWidget iff RenderWidget is the root of the renderer object graph.
//
// Note: We want to converge on RenderFrame always being the root.
class CONTENT_EXPORT RenderWidgetHostImpl
: public RenderWidgetHost,
public FrameTokenMessageQueue::Client,
public RenderProcessHostObserver,
public RenderProcessHostPriorityClient,
public SyntheticGestureController::Delegate,
public RenderFrameMetadataProvider::Observer,
public blink::mojom::FrameWidgetHost,
public blink::mojom::PopupWidgetHost,
public blink::mojom::WidgetHost,
public blink::mojom::PointerLockContext,
public input::RenderInputRouterDelegate,
public input::RenderInputRouterClient {
public:
// See the constructor for documentation.
//
// This static factory method is restricted to being called from the factory,
// to ensure all RenderWidgetHostImpl creation can be hooked for tests.
static std::unique_ptr<RenderWidgetHostImpl> Create(
base::PassKey<RenderWidgetHostFactory>,
FrameTree* frame_tree,
RenderWidgetHostDelegate* delegate,
viz::FrameSinkId frame_sink_id,
base::SafeRef<SiteInstanceGroup> site_instance_group,
int32_t routing_id,
bool hidden,
bool renderer_initiated_creation,
std::unique_ptr<FrameTokenMessageQueue> frame_token_message_queue);
// Similar to `Create()`, but creates a self-owned `RenderWidgetHostImpl`. The
// returned widget deletes itself when either:
// - ShutdownAndDestroyWidget(also_delete = true) is called.
// - its RenderProcess exits.
static RenderWidgetHostImpl* CreateSelfOwned(
base::PassKey<RenderWidgetHostFactory>,
FrameTree* frame_tree,
RenderWidgetHostDelegate* delegate,
base::SafeRef<SiteInstanceGroup> site_instance_group,
int32_t routing_id,
bool hidden,
std::unique_ptr<FrameTokenMessageQueue> frame_token_message_queue);
RenderWidgetHostImpl(const RenderWidgetHostImpl&) = delete;
RenderWidgetHostImpl& operator=(const RenderWidgetHostImpl&) = delete;
~RenderWidgetHostImpl() override;
// Similar to RenderWidgetHost::FromID, but returning the Impl object.
static RenderWidgetHostImpl* FromID(int32_t process_id, int32_t routing_id);
// Returns all RenderWidgetHosts including swapped out ones for
// internal use. The public interface
// RenderWidgetHost::GetRenderWidgetHosts only returns active ones.
static std::unique_ptr<RenderWidgetHostIterator> GetAllRenderWidgetHosts();
// Use RenderWidgetHostImpl::From(rwh) to downcast a RenderWidgetHost to a
// RenderWidgetHostImpl.
static RenderWidgetHostImpl* From(RenderWidgetHost* rwh);
// Generates the FrameSinkId to use for a RenderWidgetHost allocated with
// `group` and `routing_id`.
static viz::FrameSinkId DefaultFrameSinkId(const SiteInstanceGroup& group,
int routing_id);
// TODO(crbug.com/40169570): FrameTree and FrameTreeNode will not be const as
// with prerenderer activation the page needs to move between FrameTreeNodes
// and FrameTrees. As it's hard to make sure that all places handle this
// transition correctly, MPArch will remove references from this class to
// FrameTree/FrameTreeNode.
FrameTree* frame_tree() const { return frame_tree_; }
void SetFrameTree(FrameTree& frame_tree) { frame_tree_ = &frame_tree; }
void set_owner_delegate(RenderWidgetHostOwnerDelegate* owner_delegate) {
owner_delegate_ = owner_delegate;
}
RenderWidgetHostOwnerDelegate* owner_delegate() { return owner_delegate_; }
AgentSchedulingGroupHost& agent_scheduling_group() {
return *agent_scheduling_group_;
}
// Returns the object that tracks the start of content to visible events for
// the WebContents.
VisibleTimeRequestTrigger& GetVisibleTimeRequestTrigger();
// RenderWidgetHost implementation.
const viz::FrameSinkId& GetFrameSinkId() override;
void UpdateTextDirection(base::i18n::TextDirection direction) override;
void NotifyTextDirection() override;
void Focus() override;
void Blur() override;
void FlushForTesting() override;
void SetActive(bool active) override;
void ForwardMouseEvent(const blink::WebMouseEvent& mouse_event) override;
void ForwardWheelEvent(const blink::WebMouseWheelEvent& wheel_event) override;
void ForwardKeyboardEvent(
const input::NativeWebKeyboardEvent& key_event) override;
void ForwardGestureEvent(
const blink::WebGestureEvent& gesture_event) override;
RenderProcessHost* GetProcess() override;
int GetRoutingID() final;
RenderWidgetHostViewBase* GetView() override;
const RenderWidgetHostViewBase* GetView() const override;
bool IsCurrentlyUnresponsive() override;
bool SynchronizeVisualProperties() override;
void AddKeyPressEventCallback(const KeyPressEventCallback& callback) override;
void RemoveKeyPressEventCallback(
const KeyPressEventCallback& callback) override;
void AddMouseEventCallback(const MouseEventCallback& callback) override;
void RemoveMouseEventCallback(const MouseEventCallback& callback) override;
void AddSuppressShowingImeCallback(
const SuppressShowingImeCallback& callback) override;
void RemoveSuppressShowingImeCallback(
const SuppressShowingImeCallback& callback,
bool trigger_ime) override;
void AddInputEventObserver(
RenderWidgetHost::InputEventObserver* observer) override;
void RemoveInputEventObserver(
RenderWidgetHost::InputEventObserver* observer) override;
void AddObserver(RenderWidgetHostObserver* observer) override;
void RemoveObserver(RenderWidgetHostObserver* observer) override;
display::ScreenInfo GetScreenInfo() const override;
display::ScreenInfos GetScreenInfos() const override;
float GetDeviceScaleFactor() override;
std::optional<cc::TouchAction> GetAllowedTouchAction() override;
void WriteIntoTrace(perfetto::TracedValue context) override;
// |drop_data| must have been filtered. The embedder should call
// FilterDropData before passing the drop data to RWHI.
void DragTargetDragEnter(const DropData& drop_data,
const gfx::PointF& client_pt,
const gfx::PointF& screen_pt,
blink::DragOperationsMask operations_allowed,
int key_modifiers,
DragOperationCallback callback) override;
void DragTargetDragEnterWithMetaData(
const std::vector<DropData::Metadata>& metadata,
const gfx::PointF& client_pt,
const gfx::PointF& screen_pt,
blink::DragOperationsMask operations_allowed,
int key_modifiers,
DragOperationCallback callback) override;
void DragTargetDragOver(const gfx::PointF& client_point,
const gfx::PointF& screen_point,
blink::DragOperationsMask operations_allowed,
int key_modifiers,
DragOperationCallback callback) override;
void DragTargetDragLeave(const gfx::PointF& client_point,
const gfx::PointF& screen_point) override;
// |drop_data| must have been filtered. The embedder should call
// FilterDropData before passing the drop data to RWHI.
void DragTargetDrop(const DropData& drop_data,
const gfx::PointF& client_point,
const gfx::PointF& screen_point,
int key_modifiers,
base::OnceClosure callback) override;
void DragSourceEndedAt(const gfx::PointF& client_pt,
const gfx::PointF& screen_pt,
ui::mojom::DragOperation operation,
base::OnceClosure callback) override;
void DragSourceSystemDragEnded() override;
void FilterDropData(DropData* drop_data) override;
void SetCursor(const ui::Cursor& cursor) override;
void ShowContextMenuAtPoint(
const gfx::Point& point,
const ui::mojom::MenuSourceType source_type) override;
void InsertVisualStateCallback(VisualStateCallback callback) override;
// RenderProcessHostPriorityClient implementation.
RenderProcessHostPriorityClient::Priority GetPriority() override;
// RenderProcessHostObserver implementation.
void RenderProcessExited(RenderProcessHost* host,
const ChildProcessTerminationInfo& info) override;
// blink::mojom::WidgetHost implementation.
void UpdateTooltipUnderCursor(
const std::u16string& tooltip_text,
base::i18n::TextDirection text_direction_hint) override;
void UpdateTooltipFromKeyboard(const std::u16string& tooltip_text,
base::i18n::TextDirection text_direction_hint,
const gfx::Rect& bounds) override;
void ClearKeyboardTriggeredTooltip() override;
void TextInputStateChanged(ui::mojom::TextInputStatePtr state) override;
void SelectionBoundsChanged(const gfx::Rect& anchor_rect,
base::i18n::TextDirection anchor_dir,
const gfx::Rect& focus_rect,
base::i18n::TextDirection focus_dir,
const gfx::Rect& bounding_box,
bool is_anchor_first) override;
void CreateFrameSink(
mojo::PendingReceiver<viz::mojom::CompositorFrameSink>
compositor_frame_sink_receiver,
mojo::PendingRemote<viz::mojom::CompositorFrameSinkClient>
compositor_frame_sink_client,
mojo::PendingRemote<blink::mojom::RenderInputRouterClient>
viz_rir_client_remote) override;
void RegisterRenderFrameMetadataObserver(
mojo::PendingReceiver<cc::mojom::RenderFrameMetadataObserverClient>
render_frame_metadata_observer_client_receiver,
mojo::PendingRemote<cc::mojom::RenderFrameMetadataObserver>
render_frame_metadata_observer) override;
// blink::mojom::PopupWidgetHost implementation.
void RequestClosePopup() override;
void ShowPopup(const gfx::Rect& initial_screen_rect,
const gfx::Rect& anchor_screen_rect,
ShowPopupCallback callback) override;
void SetPopupBounds(const gfx::Rect& bounds,
SetPopupBoundsCallback callback) override;
// RenderInputRouterDelegate implementation.
input::RenderWidgetHostViewInput* GetPointerLockView() override;
std::optional<bool> IsDelegatedInkHovering() override;
std::unique_ptr<input::RenderInputRouterIterator>
GetEmbeddedRenderInputRouters() override;
input::RenderWidgetHostInputEventRouter* GetInputEventRouter() override;
void ForwardDelegatedInkPoint(gfx::DelegatedInkPoint& delegated_ink_point,
bool& ended_delegated_ink_trail) override;
void ResetDelegatedInkPointPrediction(
bool& ended_delegated_ink_trail) override;
void NotifyObserversOfInputEvent(const blink::WebInputEvent& event,
bool dispatched_to_renderer) override;
void NotifyObserversOfInputEventAcks(
blink::mojom::InputEventResultSource ack_source,
blink::mojom::InputEventResultState ack_result,
const blink::WebInputEvent& event) override;
bool PreHandleGestureEvent(const blink::WebGestureEvent& event) override;
TouchEmulatorImpl* GetTouchEmulator(bool create_if_necessary) override;
std::unique_ptr<viz::PeakGpuMemoryTracker> MakePeakGpuMemoryTracker(
viz::PeakGpuMemoryTracker::Usage usage) override;
void OnWheelEventAck(const input::MouseWheelEventWithLatencyInfo& event,
blink::mojom::InputEventResultSource ack_source,
blink::mojom::InputEventResultState ack_result) override;
bool IsInitializedAndNotDead() override;
void OnInputEventPreDispatch(const blink::WebInputEvent& event) override;
void OnInvalidInputEventSource() override;
void OnInputIgnored(const blink::WebInputEvent& event) override;
input::StylusInterface* GetStylusInterface() override;
void OnInputEventAckTimeout(base::TimeTicks ack_timeout_ts) override;
void RendererIsResponsive() override;
void DidOverscroll(blink::mojom::DidOverscrollParamsPtr params) override;
// Update the stored set of visual properties for the renderer. If 'propagate'
// is true, the new properties will be sent to the renderer process.
bool UpdateVisualProperties(bool propagate);
// Notification that the screen info has changed.
void NotifyScreenInfoChanged();
// Forces redraw in the renderer and when the update reaches the browser.
// grabs snapshot from the compositor.
// If |from_surface| is false, it will obtain the snapshot directly from the
// view (On MacOS, the snapshot is taken from the Cocoa view for end-to-end
// testing purposes).
// Otherwise, the snapshot is obtained from the view's surface, with no bounds
// defined.
// Returns a gfx::Image that is backed by an NSImage on MacOS or by an
// SkBitmap otherwise. The gfx::Image may be empty if the snapshot failed.
using GetSnapshotFromBrowserCallback =
base::OnceCallback<void(const gfx::Image&)>;
void GetSnapshotFromBrowser(GetSnapshotFromBrowserCallback callback,
bool from_surface);
// Sets the View of this RenderWidgetHost. It is called just once when a new
// RenderWidgetHostView for a RWH is created. If the corresponding renderer
// process crashes and then be recreated, SetView is called first with a
// nullptr and then with the new RenderWidgetHostView.
void SetView(RenderWidgetHostViewBase* view);
RenderWidgetHostDelegate* delegate() const { return delegate_; }
MojoRenderInputRouterDelegateImpl* mojo_rir_delegate() {
return &mojo_rir_delegate_impl_;
}
// Bind the provided widget interfaces.
void BindWidgetInterfaces(
mojo::PendingAssociatedReceiver<blink::mojom::WidgetHost> widget_host,
mojo::PendingAssociatedRemote<blink::mojom::Widget> widget);
// Bind the provided popup widget interface.
void BindPopupWidgetInterface(
mojo::PendingAssociatedReceiver<blink::mojom::PopupWidgetHost>
popup_widget_host);
// Bind the provided frame widget interfaces.
void BindFrameWidgetInterfaces(
mojo::PendingAssociatedReceiver<blink::mojom::FrameWidgetHost>
frame_widget_host,
mojo::PendingAssociatedRemote<blink::mojom::FrameWidget> frame_widget);
// The Bind*Interfaces() methods are called before creating the renderer-side
// Widget object, and RendererWidgetCreated() is called afterward. At that
// point the bound mojo interfaces are connected to the renderer Widget. The
// `for_frame_widget` informs if this widget should enable frame-specific
// behaviour and mojo connections.
void RendererWidgetCreated(bool for_frame_widget);
// Renderer-created top-level widgets (either for a main frame or for a popup)
// wait to be shown until the renderer requests it. When that condition is
// satisfied we are notified through Init(). This will always happen after
// RendererWidgetCreated().
void Init();
// Returns true if the frame content needs be stored before being evicted.
bool ShouldShowStaleContentOnEviction();
void SetFrameDepth(unsigned int depth);
void SetIntersectsViewport(bool intersects);
void UpdatePriority();
// Tells the renderer to die and optionally delete |this|.
void ShutdownAndDestroyWidget(bool also_delete);
// Indicates if the page has finished loading.
void SetIsLoading(bool is_loading);
// Called to notify the RenderWidget that it has been hidden or restored from
// having been hidden.
void WasHidden();
void WasShown(blink::mojom::RecordContentToVisibleTimeRequestPtr
record_tab_switch_time_request);
// Called to request the presentation time for the next frame or cancel any
// requests when the RenderWidget's visibility state is not changing. If the
// visibility state is changing call WasHidden or WasShown instead.
void RequestSuccessfulPresentationTimeForNextFrame(
blink::mojom::RecordContentToVisibleTimeRequestPtr visible_time_request);
void CancelSuccessfulPresentationTimeRequest();
#if BUILDFLAG(IS_ANDROID)
// Set the importance of widget. The importance is passed onto
// RenderProcessHost which aggregates importance of all of its widgets.
void SetImportance(ChildProcessImportance importance);
ChildProcessImportance importance() const { return importance_; }
void AddImeInputEventObserver(
RenderWidgetHost::InputEventObserver* observer) override;
void RemoveImeInputEventObserver(
RenderWidgetHost::InputEventObserver* observer) override;
#endif
// Returns true if the RenderWidget is hidden.
// TODO(mustaq@chromium.org): Use `IsHidden()` instead!
bool is_hidden() const { return is_hidden_; }
// Called to notify the RenderWidget that its associated native window
// got/lost focused.
void GotFocus();
void LostFocus();
void LostCapture();
// Used by the RenderFrameHost to help with verifying changes in focus. Tells
// whether LostFocus() was called after any frame on this page was focused.
bool HasLostFocus() const { return has_lost_focus_; }
void ResetLostFocus() { has_lost_focus_ = false; }
// Indicates whether the RenderWidgetHost thinks it is focused.
// This is different from RenderWidgetHostView::HasFocus() in the sense that
// it reflects what the renderer process knows: it saves the state that is
// sent/received.
// RenderWidgetHostView::HasFocus() is checking whether the view is focused so
// it is possible in some edge cases that a view was requested to be focused
// but it failed, thus HasFocus() returns false.
bool is_focused() const { return is_focused_; }
// Support for focus tracking on multi-FrameTree cases. This will notify all
// descendants (including nested FrameTrees) to distribute a "page focus"
// update. Users other than WebContents and RenderWidgetHost should use
// Focus()/Blur().
void SetPageFocus(bool focused);
// Returns true if the RenderWidgetHost thinks it is active. This
// is different than `is_focused` but must always be true if `is_focused`
// is true. All RenderWidgetHosts in an active tab are considered active,
// but only one FrameTree can have page focus (e.g., an inner frame
// tree (fenced frame) will not have focus if the primary frame tree has
// focus. See
// https://www.chromium.org/developers/design-documents/aura/focus-and-activation.
bool is_active() const { return is_active_; }
// Called to notify the RenderWidget that it has lost the pointer lock.
void LostPointerLock();
// Notifies the RenderWidget that it lost the pointer lock.
void SendPointerLockLost();
bool is_last_unlocked_by_target() const {
return is_last_unlocked_by_target_;
}
// Notifies the RenderWidget of the current mouse cursor visibility state.
void OnCursorVisibilityStateChanged(bool is_visible);
// Notifies the RenderWidgetHost that the View was destroyed.
void ViewDestroyed();
bool visual_properties_ack_pending_for_testing() {
return visual_properties_ack_pending_;
}
// Requests the generation of a new CompositorFrame from the renderer
// by forcing a new surface id.
// It will return false if the renderer is not ready (e.g. there's an
// in flight change).
bool RequestRepaintOnNewSurface();
// Called after every cross-document navigation. Note that for prerender
// navigations, this is called before the renderer is shown.
void DidNavigate();
// Called after every cross-document navigation. When `active` is true, the
// displayed graphics of the renderer is cleared after a certain timeout if it
// does not produce a new CompositorFrame after navigation.
//
// This is called after either navigation (for non-prerender pages) or
// activation (for prerender pages).
// TODO(mustaq@chromium.org): Is this still correct for prerendered pages?
void InitializePaintHolding(bool active);
// Customize the value of `new_content_rendering_delay_` for testing.
void SetNewContentRenderingTimeoutForTesting(base::TimeDelta timeout);
// Forwards the keyboard event with optional commands to the renderer. If
// |key_event| is not forwarded for any reason, then |commands| are ignored.
// |update_event| (if non-null) is set to indicate whether the underlying
// event in |key_event| should be updated. |update_event| is only used on
// aura.
void ForwardKeyboardEventWithCommands(
const input::NativeWebKeyboardEvent& key_event,
const ui::LatencyInfo& latency,
std::vector<blink::mojom::EditCommandPtr> commands,
bool* update_event = nullptr);
// Forwards the given message to the renderer. These are called by the view
// when it has received a message.
void ForwardKeyboardEventWithLatencyInfo(
const input::NativeWebKeyboardEvent& key_event,
const ui::LatencyInfo& latency) override;
void ForwardMouseEventWithLatencyInfo(const blink::WebMouseEvent& mouse_event,
const ui::LatencyInfo& latency);
void ForwardWheelEventWithLatencyInfo(
const blink::WebMouseWheelEvent& wheel_event,
const ui::LatencyInfo& latency) override;
// Resolves the given callback once all effects of prior input have been
// fully realized.
void WaitForInputProcessed(SyntheticGestureParams::GestureType type,
content::mojom::GestureSourceType source,
base::OnceClosure callback);
// Resolves the given callback once all effects of previously forwarded input
// have been fully realized (i.e. resulting compositor frame has been drawn,
// swapped, and presented).
void WaitForInputProcessed(base::OnceClosure callback);
// Queues a synthetic gesture for testing purposes. Invokes the on_complete
// callback when the gesture is finished running.
void QueueSyntheticGesture(
std::unique_ptr<SyntheticGesture> synthetic_gesture,
base::OnceCallback<void(SyntheticGesture::Result)> on_complete);
void QueueSyntheticGestureCompleteImmediately(
std::unique_ptr<SyntheticGesture> synthetic_gesture);
// Ensures the renderer is in a state ready to receive synthetic input. The
// SyntheticGestureController will normally ensure this before sending the
// first gesture; however, in some tests that may be a bad time (e.g. the
// gesture is sent while the main thread is blocked) so this allows the
// caller to do so manually.
void EnsureReadyForSyntheticGestures(base::OnceClosure on_ready);
// Update the composition node of the renderer (or WebKit).
// WebKit has a special node (a composition node) for input method to change
// its text without affecting any other DOM nodes. When the input method
// (attached to the browser) updates its text, the browser sends IPC messages
// to update the composition node of the renderer.
// (Read the comments of each function for its detail.)
// Sets the text of the composition node.
// This function can also update the cursor position and mark the specified
// range in the composition node.
// A browser should call this function:
// * when it receives a WM_IME_COMPOSITION message with a GCS_COMPSTR flag
// (on Windows);
// * when it receives a "preedit_changed" signal of GtkIMContext (on Linux);
// * when markedText of NSTextInput is called (on Mac).
void ImeSetComposition(const std::u16string& text,
const std::vector<ui::ImeTextSpan>& ime_text_spans,
const gfx::Range& replacement_range,
int selection_start,
int selection_end);
// Deletes the ongoing composition if any, inserts the specified text, and
// moves the cursor.
// A browser should call this function or ImeFinishComposingText:
// * when it receives a WM_IME_COMPOSITION message with a GCS_RESULTSTR flag
// (on Windows);
// * when it receives a "commit" signal of GtkIMContext (on Linux);
// * when insertText of NSTextInput is called (on Mac).
void ImeCommitText(const std::u16string& text,
const std::vector<ui::ImeTextSpan>& ime_text_spans,
const gfx::Range& replacement_range,
int relative_cursor_pos);
// Finishes an ongoing composition.
// A browser should call this function or ImeCommitText:
// * when it receives a WM_IME_COMPOSITION message with a GCS_RESULTSTR flag
// (on Windows);
// * when it receives a "commit" signal of GtkIMContext (on Linux);
// * when insertText of NSTextInput is called (on Mac).
void ImeFinishComposingText(bool keep_selection);
// Cancels an ongoing composition.
void ImeCancelComposition();
// Whether forwarded WebInputEvents or other events are being ignored.
bool IsIgnoringWebInputEvents(
const blink::WebInputEvent& event) const override;
bool IsIgnoringInputEvents() const;
// Called when the response to a pending pointer lock request has arrived.
// Returns true if |allowed| is true and the pointer has been successfully
// locked.
bool GotResponseToPointerLockRequest(blink::mojom::PointerLockResult result);
// Called when the response to a pending keyboard lock request has arrived.
// |allowed| should be true if the current tab is in tab initiated fullscreen
// mode.
void GotResponseToKeyboardLockRequest(bool allowed);
// Called when the response to an earlier WidgetMsg_ForceRedraw message has
// arrived. The reply includes the snapshot-id from the request.
void GotResponseToForceRedraw(int snapshot_id);
// When the WebContents (which acts as the Delegate) is destroyed, this object
// may still outlive it while the renderer is shutting down. In that case the
// delegate pointer is removed (since it would be a UAF).
void DetachDelegate();
// Update the renderer's cache of the screen rect of the view and window.
void SendScreenRects();
// Indicates whether the renderer drives the RenderWidgetHosts's size or the
// other way around.
bool auto_resize_enabled() { return auto_resize_enabled_; }
// The minimum size of this renderer when auto-resize is enabled.
const gfx::Size& min_size_for_auto_resize() const {
return min_size_for_auto_resize_;
}
// The maximum size of this renderer when auto-resize is enabled.
const gfx::Size& max_size_for_auto_resize() const {
return max_size_for_auto_resize_;
}
// Don't check whether we expected a resize ack during web tests.
static void DisableResizeAckCheckForTesting();
// TODO(mustaq@chromium.org): Fix the odd name, should be capitalized!
input::InputRouter* input_router();
void SetForceEnableZoom(bool);
// Get the BrowserAccessibilityManager for the root of the frame tree,
ui::BrowserAccessibilityManager* GetRootBrowserAccessibilityManager();
// Get the BrowserAccessibilityManager for the root of the frame tree,
// or create it if it doesn't already exist.
ui::BrowserAccessibilityManager* GetOrCreateRootBrowserAccessibilityManager();
// Virtual for testing.
virtual void RejectPointerLockOrUnlockIfNecessary(
blink::mojom::PointerLockResult reason);
// Store values received in a child frame RenderWidgetHost from a parent
// RenderWidget, in order to pass them to the renderer and continue their
// propagation down the RenderWidget tree.
void SetVisualPropertiesFromParentFrame(
float page_scale_factor,
float compositing_scale_factor,
bool is_pinch_gesture_active,
const gfx::Size& visible_viewport_size,
const gfx::Rect& compositor_viewport,
std::vector<gfx::Rect> root_widget_viewport_segments);
// Indicates if the render widget host should track the render widget's size
// as opposed to visa versa.
// In main frame RenderWidgetHosts this controls the value for the frame tree.
// In child frame RenderWidgetHosts this value comes from the parent
// RenderWidget and should be propagated down the RenderWidgetTree.
void SetAutoResize(bool enable,
const gfx::Size& min_size,
const gfx::Size& max_size);
// Generates a filled in VisualProperties struct representing the current
// properties of this widget.
blink::VisualProperties GetVisualProperties();
// Returns the result of GetVisualProperties(), resetting and storing that
// value as what has been sent to the renderer. This should be called when
// getting VisualProperties that will be sent in order to create a
// RenderWidget, since the creation acts as the initial
// SynchronizeVisualProperties().
//
// This has the side effect of resetting state that should match a newly
// created RenderWidget in the renderer.
//
// TODO(dcheng): Tests call this directly but shouldn't have to. Investigate
// getting rid of this.
blink::VisualProperties GetInitialVisualProperties();
// Clears the state of the VisualProperties of this widget.
void ClearVisualProperties();
// Pushes updated visual properties to the renderer as well as whether the
// focused node should be scrolled into view.
bool SynchronizeVisualProperties(bool scroll_focused_node_into_view,
bool propagate = true);
// Similar to SynchronizeVisualProperties(), but performed even if
// |visual_properties_ack_pending_| is set. Used to guarantee that the
// latest visual properties are sent to the renderer before another IPC.
bool SynchronizeVisualPropertiesIgnoringPendingAck();
// Called when we receive a notification indicating that the renderer process
// is gone. This will reset our state so that our state will be consistent if
// a new renderer is created.
void RendererExited();
// Called from a RenderFrameHost when the text selection has changed.
void SelectionChanged(const std::u16string& text,
uint32_t offset,
const gfx::Range& range);
bool renderer_initialized() const { return renderer_widget_created_; }
base::WeakPtr<RenderWidgetHostImpl> GetWeakPtr() {
return weak_factory_.GetWeakPtr();
}
// Request composition updates from RenderWidget. If |immediate_request| is
// true, RenderWidget will respond immediately. If |monitor_updates| is true,
// then RenderWidget sends updates for each compositor frame when there are
// changes, or when the text selection changes inside a frame. If both fields
// are false, RenderWidget will not send any updates. To avoid sending
// unnecessary IPCs to RenderWidget (e.g., asking for monitor updates while
// we are already receiving updates), when
// |monitoring_composition_info_| == |monitor_updates| no IPC is sent to the
// renderer unless it is for an immediate request.
void RequestCompositionUpdates(bool immediate_request, bool monitor_updates);
RenderFrameMetadataProviderImpl* render_frame_metadata_provider() {
return &render_frame_metadata_provider_;
}
// SyntheticGestureController::Delegate overrides.
bool HasGestureStopped() override;
// SyntheticGestureController::Delegate, RenderInputRouterDelegate overrides.
// Both of these classes declare this as pure virtual, ensuring that any class
// inheriting from both interfaces must provide a concrete implementation,
// resolving any ambiguity that could arise from multiple inheritance.
bool IsHidden() const override;
// Signals that a frame with token |frame_token| was finished processing. If
// there are any queued messages belonging to it, they will be processed.
void DidProcessFrame(uint32_t frame_token, base::TimeTicks activation_time);
// virtual for testing.
virtual blink::mojom::WidgetInputHandler* GetWidgetInputHandler();
// RenderInputRouterClient overrides.
void OnImeCompositionRangeChanged(
const gfx::Range& range,
const std::optional<std::vector<gfx::Rect>>& character_bounds) override;
void OnImeCancelComposition() override;
void OnStartStylusWriting() override;
void UpdateElementFocusForStylusWriting(
#if BUILDFLAG(IS_WIN)
const gfx::Rect& focus_widget_rect_in_dips
#endif // BUILDFLAG(IS_WIN)
) override;
bool IsAutoscrollInProgress() override;
void SetMouseCapture(bool capture) override;
void SetAutoscrollSelectionActiveInMainFrame(
bool autoscroll_selection) override;
void RequestMouseLock(
bool from_user_gesture,
bool unadjusted_movement,
input::InputRouterImpl::RequestMouseLockCallback response) override;
// PointerLockContext overrides
void RequestMouseLockChange(
bool unadjusted_movement,
PointerLockContext::RequestMouseLockChangeCallback response) override;
// FrameTokenMessageQueue::Client:
void OnInvalidFrameToken(uint32_t frame_token) override;
void ProgressFlingIfNeeded(base::TimeTicks current_time);
void StopFling();
RenderWidgetHostViewBase* GetRenderWidgetHostViewBase();
// The RenderWidgetHostImpl will keep showing the old page (for a while) after
// navigation until the first frame of the new page arrives. This reduces
// flicker. However, if for some reason it is known that the frames won't be
// arriving, this call can be used for force a timeout, to avoid showing the
// content of the old page under UI from the new page.
void ForceFirstFrameAfterNavigationTimeout();
void SetScreenOrientationForTesting(uint16_t angle,
display::mojom::ScreenOrientation type);
// Requests keyboard lock. If `codes` has no value then all keys will be
// locked, otherwise only the keys specified will be intercepted and routed to
// the web page. `request_keyboard_lock_callback` gets called with the result
// of the request, possibly before the lock actually takes effect.
void RequestKeyboardLock(
std::optional<base::flat_set<ui::DomCode>> codes,
base::OnceCallback<void(blink::mojom::KeyboardLockRequestResult)>
request_keyboard_lock_callback);
// Cancels a previous keyboard lock request.
void CancelKeyboardLock();
// Indicates whether keyboard lock is active.
bool IsKeyboardLocked() const;
// Returns the keyboard layout mapping.
base::flat_map<std::string, std::string> GetKeyboardLayoutMap();
void RequestForceRedraw(int snapshot_id);
bool IsContentRenderingTimeoutRunning() const;
enum class RendererIsUnresponsiveReason {
kOnInputEventAckTimeout = 0,
kNavigationRequestCommitTimeout = 1,
kRendererCancellationThrottleTimeout = 2,
kMaxValue = kRendererCancellationThrottleTimeout,
};
// Called on delayed response from the renderer by either
// 1) |hang_monitor_timeout_| (slow to ack input events) or
// 2) NavigationHandle::OnCommitTimeout (slow to commit) or
// 3) RendererCancellationThrottle::OnTimeout (slow cancelling navigation).
void RendererIsUnresponsive(
RendererIsUnresponsiveReason reason,
base::RepeatingClosure restart_hang_monitor_timeout);
// Called during frame eviction to return all SurfaceIds in the frame tree.
// Marks all views in the frame tree as evicted.
std::vector<viz::SurfaceId> CollectSurfaceIdsForEviction();
const mojo::AssociatedRemote<blink::mojom::FrameWidget>&
GetAssociatedFrameWidget();
blink::mojom::FrameWidgetInputHandler* GetFrameWidgetInputHandler();
// Exposed so that tests can swap the implementation and intercept calls.
mojo::AssociatedReceiver<blink::mojom::FrameWidgetHost>&
frame_widget_host_receiver_for_testing() {
return blink_frame_widget_host_receiver_;
}
// Exposed so that tests can swap the implementation and intercept calls.
mojo::AssociatedReceiver<blink::mojom::PopupWidgetHost>&
popup_widget_host_receiver_for_testing() {
return blink_popup_widget_host_receiver_;
}
// Exposed so that tests can swap the implementation and intercept calls.
mojo::AssociatedReceiver<blink::mojom::WidgetHost>&
widget_host_receiver_for_testing() {
return blink_widget_host_receiver_;
}
std::optional<blink::VisualProperties> LastComputedVisualProperties() const;
// Generates widget creation params that will be passed to the renderer to
// create a new widget. As a side effect, this resets various widget and frame
// widget Mojo interfaces and rebinds them, passing the new endpoints in the
// returned params.
mojom::CreateFrameWidgetParamsPtr BindAndGenerateCreateFrameWidgetParams();
// RenderFrameMetadataProvider::Observer implementation.
void OnRenderFrameMetadataChangedBeforeActivation(
const cc::RenderFrameMetadata& metadata) override;
void OnRenderFrameMetadataChangedAfterActivation(
base::TimeTicks activation_time) override;
void OnRenderFrameSubmission() override;
void OnLocalSurfaceIdChanged(
const cc::RenderFrameMetadata& metadata) override;
SiteInstanceGroup* GetSiteInstanceGroup();
void PassImeRenderWidgetHost(
mojo::PendingRemote<blink::mojom::ImeRenderWidgetHost> pending_remote);
// Updates the browser controls by directly IPCing onto the compositor thread.
void UpdateBrowserControlsState(
cc::BrowserControlsState constraints,
cc::BrowserControlsState current,
bool animate,
const std::optional<cc::BrowserControlsOffsetTagModifications>&
offset_tag_modifications);
void StartDragging(blink::mojom::DragDataPtr drag_data,
const url::Origin& source_origin,
blink::DragOperationsMask drag_operations_mask,
const SkBitmap& unsafe_bitmap,
const gfx::Vector2d& cursor_offset_in_dip,
const gfx::Rect& drag_obj_rect_in_dip,
blink::mojom::DragEventSourceInfoPtr event_info);
// Notifies the widget that the viz::FrameSinkId assigned to it is now bound
// to its renderer side widget. If the renderer issued a FrameSink request
// before this handoff, the request is buffered and will be issued here.
void SetViewIsFrameSinkIdOwner(bool is_owner);
bool view_is_frame_sink_id_owner() const {
return view_is_frame_sink_id_owner_;
}
// Helper class to log navigation-related compositor metrics. Keeps track of
// the timestamp when navigation commit/RFH swap/frame sink request happened
// for the first navigation that uses this RenderWidgetHost.
class CompositorMetricRecorder {
public:
CompositorMetricRecorder(RenderWidgetHostImpl* owner);
~CompositorMetricRecorder() = default;
// The functions below are called when the first navigation that uses this
// RenderWidgetHost commits/swaps in the RenderFrameHost/requested frame
// sink creation respectively.
void DidStartNavigationCommit();
void DidSwap();
void DidRequestFrameSink();
base::TimeTicks CommitNavigationTime();
private:
void TryToRecordMetrics();
// The timestamp of the last call to
// `MaybeDispatchBufferedFrameSinkRequest()` where we run
// `create_frame_sink_callback_`.
base::TimeTicks create_frame_sink_timestamp_;
// The timestamp of when the navigation that created this RenderWidgetHost
// committed/swapped in the RenderFrameHost.
base::TimeTicks commit_nav_timestamp_;
base::TimeTicks swap_rfh_timestamp_;
const raw_ptr<RenderWidgetHostImpl> owner_;
};
CompositorMetricRecorder* compositor_metric_recorder() const {
return compositor_metric_recorder_.get();
}
// Disables recording metrics through CompositorMetricRecorder by resetting
// the owned `compositor_metric_recorder_`.
void DisableCompositorMetricRecording();
virtual input::RenderInputRouter*
GetRenderInputRouter(); // virtual for testing.
// Requests a commit and forced redraw in the renderer compositor.
void ForceRedrawForTesting();
protected:
// |routing_id| must not be MSG_ROUTING_NONE.
// If this object outlives |delegate|, DetachDelegate() must be called when
// |delegate| goes away. |site_instance_group| will outlive this
// widget but we store it via a `base::SafeRef` instead of a scoped_refptr to
// not create a cycle and keep alive the `SiteInstanceGroup`.
RenderWidgetHostImpl(
FrameTree* frame_tree,
bool self_owned,
viz::FrameSinkId frame_sink_id,
RenderWidgetHostDelegate* delegate,
base::SafeRef<SiteInstanceGroup> site_instance_group,
int32_t routing_id,
bool hidden,
bool renderer_initiated_creation,
std::unique_ptr<FrameTokenMessageQueue> frame_token_message_queue);
// ---------------------------------------------------------------------------
// The following method is overridden by RenderViewHost to send upwards to
// its delegate.
// Callback for notification that we failed to receive any rendered graphics
// from a newly loaded page. Used for testing.
virtual void NotifyNewContentRenderingTimeoutForTesting() {}
// virtual for testing.
virtual void OnMouseEventAck(const input::MouseEventWithLatencyInfo& event,
blink::mojom::InputEventResultSource ack_source,
blink::mojom::InputEventResultState ack_result);
// ---------------------------------------------------------------------------
bool IsPointerLocked() const;
std::unique_ptr<input::FlingSchedulerBase> MakeFlingScheduler();
private:
FRIEND_TEST_ALL_PREFIXES(FullscreenDetectionTest,
EncompassingDivNotFullscreen);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
DoNotAcceptPopupBoundsUntilScreenRectsAcked);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
DontPostponeInputEventAckTimeout);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest, RendererExitedNoDrag);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
StopAndStartInputEventAckTimeout);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
ShorterDelayInputEventAckTimeout);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
AddAndRemoveInputEventObserver);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
ScopedObservationWithInputEventObserver);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
AddAndRemoveImeInputEventObserver);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest,
InputRouterReceivesHasTouchEventHandlers);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest, EventDispatchPostDetach);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostTest, InputEventRWHLatencyComponent);
FRIEND_TEST_ALL_PREFIXES(DevToolsAgentHostImplTest,
NoUnresponsiveDialogInInspectedContents);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewMacTest,
ConflictingAllocationsResolve);
FRIEND_TEST_ALL_PREFIXES(SitePerProcessBrowserTest,
ResizeAndCrossProcessPostMessagePreserveOrder);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostInputEventRouterTest,
EnsureRendererDestroyedHandlesUnAckedTouchEvents);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewAuraTest, TouchEventState);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewAuraTest, TouchEventSyncAsync);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewAuraOverscrollTest,
OverscrollWithTouchEvents);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewAuraOverscrollTest,
TouchGestureEndDispatchedAfterOverscrollComplete);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostViewAuraTest,
InvalidEventsHaveSyncHandlingDisabled);
FRIEND_TEST_ALL_PREFIXES(RenderWidgetHostInputEventRouterTest,
EnsureRendererDestroyedHandlesUnAckedTouchEvents);
friend class MockRenderWidgetHost;
friend class MockRenderWidgetHostImpl;
friend class OverscrollNavigationOverlayTest;
friend class RenderViewHostTester;
friend class TestRenderViewHost;
// Tell this object to destroy itself. If |also_delete| is specified, the
// destructor is called as well.
void Destroy(bool also_delete);
// Called by |new_content_rendering_timeout_| if a renderer has loaded new
// content but failed to produce a compositor frame in a defined time.
void ClearDisplayedGraphics();
// InputRouter::SendKeyboardEvent() callbacks to this. This may be called
// synchronously.
void OnKeyboardEventAck(
const input::NativeWebKeyboardEventWithLatencyInfo& event,
blink::mojom::InputEventResultSource ack_source,
blink::mojom::InputEventResultState ack_result);
// Release the pointer lock
void UnlockPointer();
// IPC message handlers
void OnClose();
void OnUpdateScreenRectsAck();
void OnUpdateDragOperation(DragOperationCallback callback,
ui::mojom::DragOperation current_op,
bool document_is_handling_drag);
// blink::mojom::FrameWidgetHost overrides.
void AnimateDoubleTapZoomInMainFrame(const gfx::Point& tap_point,
const gfx::Rect& rect_to_zoom) override;
void ZoomToFindInPageRectInMainFrame(const gfx::Rect& rect_to_zoom) override;
void SetHasTouchEventConsumers(
blink::mojom::TouchEventConsumersPtr consumers) override;
void IntrinsicSizingInfoChanged(
blink::mojom::IntrinsicSizingInfoPtr sizing_info) override;
void AutoscrollStart(const gfx::PointF& position) override;
void AutoscrollFling(const gfx::Vector2dF& velocity) override;
void AutoscrollEnd() override;
// When the RenderWidget is destroyed and recreated, this resets states in the
// browser to match the clean start for the renderer side.
void ResetStateForCreatedRenderWidget(
const blink::VisualProperties& initial_props);
// Returns true if the |new_visual_properties| differs from
// |old_page_visual_properties| in a way that indicates a size changed.
static bool DidVisualPropertiesSizeChange(
const blink::VisualProperties& old_visual_properties,
const blink::VisualProperties& new_visual_properties);
// Returns true if the new visual properties requires an ack from a
// synchronization message.
static bool DoesVisualPropertiesNeedAck(
const std::unique_ptr<blink::VisualProperties>& old_visual_properties,
const blink::VisualProperties& new_visual_properties);
// Returns true if |old_visual_properties| is out of sync with
// |new_visual_properties|.
static bool StoredVisualPropertiesNeedsUpdate(
const std::unique_ptr<blink::VisualProperties>& old_visual_properties,
const blink::VisualProperties& new_visual_properties);
// Give key press listeners a chance to handle this key press. This allow
// widgets that don't have focus to still handle key presses.
bool KeyPressListenersHandleEvent(const input::NativeWebKeyboardEvent& event);
void WindowSnapshotReachedScreen(int snapshot_id);
void OnSnapshotFromSurfaceReceived(int snapshot_id,
int retry_count,
const SkBitmap& bitmap);
void OnSnapshotReceived(int snapshot_id, gfx::Image image);
// This is called after the renderer attempts to focus content eligible for
// handwriting via mojom::blink::FrameWidget::OnStartStylusWriting. If content
// eligible for stylus handwriting has focus, then `focus_result` will be set,
// otherwise it will be nullptr.
void OnUpdateElementFocusForStylusWritingHandled(
blink::mojom::StylusWritingFocusResultPtr focus_result);
// Called by the RenderProcessHost to handle the case when the process
// changed its state of being blocked.
void RenderProcessBlockedStateChanged(bool blocked);
void NotifyVizOfPageVisibilityUpdates();
// 1. Grants permissions to URL (if any)
// 2. Grants permissions to filenames
// 3. Grants permissions to file system files.
// 4. Register the files with the IsolatedContext.
void GrantFileAccessFromDropData(DropData* drop_data);
// Implementation of |hang_monitor_restarter| callback passed to
// RenderWidgetHostDelegate::RendererUnresponsive if the unresponsiveness
// was noticed because of input event ack timeout.
void RestartRenderInputRouterInputEventAckTimeout();
void SetupRenderInputRouter();
void SetupInputRouter();
// Start intercepting system keyboard events.
void LockKeyboard();
// Stop intercepting system keyboard events.
void UnlockKeyboard();
#if BUILDFLAG(IS_MAC)
device::mojom::WakeLock* GetWakeLock();
#endif
void CreateSyntheticGestureControllerIfNecessary();
// Converts the |window_point| from the coordinates in native window in DIP
// to Blink's Viewport coordinates. They're identical in traditional world,
// but will differ when use-zoom-for-dsf feature is enabled.
// TODO(oshima): Update the comment when the migration is completed.
gfx::PointF ConvertWindowPointToViewport(const gfx::PointF& window_point);
// Dispatch any buffered FrameSink requests from the renderer if the widget
// has a view and is the owner for the FrameSinkId assigned to it.
void MaybeDispatchBufferedFrameSinkRequest();
raw_ptr<FrameTree> frame_tree_;
// RenderWidgetHost are either:
// - Owned by RenderViewHostImpl.
// - Owned by RenderFrameHost, for local root iframes.
// - Self owned. Lifetime is managed from the renderer process, via Mojo IPC;
// This is used to implement:
// - Color Chooser popup.
// - Date/Time chooser popup.
// - Internal popup. Essentially, the <select> element popup.
//
// self_owned RenderWidgetHost are expected to be deleted using:
// ShutdownAndDestroyWidget(true /* also_delete */);
bool self_owned_;
// True while there is an established connection to a renderer-side Widget
// object.
bool renderer_widget_created_ = false;
// When the renderer widget is created, if created by the renderer, it may
// request to avoid showing the widget until requested. In that case, this
// value is set to true, and we defer WasShown() events until the request
// arrives which is signaled by Init().
bool waiting_for_init_;
// True if |Destroy()| has been called.
bool destroyed_ = false;
// Handles mojo connections for RenderInputRouterDelegate[Client] interface to
// allow sycing information between the Browser and the GPU process for input
// handling with InputVizard.
MojoRenderInputRouterDelegateImpl mojo_rir_delegate_impl_{this};
// Our delegate, which wants to know mainly about keyboard events.
// It will remain non-null until DetachDelegate() is called.
raw_ptr<RenderWidgetHostDelegate, FlakyDanglingUntriaged> delegate_;
// The delegate of the owner of this object.
// This member is non-null if and only if this RenderWidgetHost is associated
// with a main frame RenderWidget.
raw_ptr<RenderWidgetHostOwnerDelegate> owner_delegate_ = nullptr;
// AgentSchedulingGroupHost to be used for IPC with the corresponding
// (renderer-side) AgentSchedulingGroup. Its channel may be nullptr if the
// renderer crashed. We store it here as a separate reference instead of
// dynamically fetching it from `site_instance_group_` since its
// value gets cleared early in `SiteInstanceGroup` via
// RenderProcessHostDestroyed before this object is destroyed.
const raw_ref<AgentSchedulingGroupHost> agent_scheduling_group_;
// The SiteInstanceGroup this RenderWidgetHost belongs to.
// TODO(crbug.com/40258727) Turn this into base::SafeRef
base::WeakPtr<SiteInstanceGroup> site_instance_group_;
// The ID of the corresponding object in the Renderer Instance.
const int routing_id_;
// Indicates whether the page is hidden or not. Need to call
// process_->UpdateClientPriority when this value changes.
bool is_hidden_ = true;
// Indicates whether the widget is ever shown to the user so far. This state
// remains `false` until `is_hidden_` becomes `false` for the first time.
bool was_ever_shown_ = false;
// Records the time when `was_ever_shown_` above becomes `true` for the first
// time.
base::TimeTicks first_shown_time_;
// Records the latest time when |this| widget's visibility state changes from
// hidden to shown.
base::TimeTicks latest_shown_time_;
// Indicates whether the renderer host has received the first metadata signal
// implying the renderer has pushed content to cc.
bool first_content_metadata_received_ = false;
// Records the time when `first_content_metadata_received_` above becomes
// `true` for the first time.
base::TimeTicks first_content_metadata_time_;
// True if both of the following conditions are met:
// - This widget is for the main frame of the outermost frame tree.
// - A RenderWidgetHostView has been attached to this widget using `SetView`.
bool is_topmost_frame_widget_with_view_ = false;
// For a widget that does not have an associated RenderFrame/View, assume it
// is depth 1, ie just below the root widget.
unsigned int frame_depth_ = 1u;
// Indicates that widget has a frame that intersects with the viewport. Note
// this is independent of |is_hidden_|. For widgets not associated with
// RenderFrame/View, assume false.
bool intersects_viewport_ = false;
// Determines whether the page is mobile optimized or not.
bool is_mobile_optimized_ = false;
// One side of a pipe that is held open while the pointer is locked.
// The other side is held be the renderer.
mojo::Receiver<blink::mojom::PointerLockContext> pointer_lock_context_{this};
// Tracks if LostFocus() has been called on this RenderWidgetHost since the
// previous change in focus. This tracks behaviors like a user clicking out of
// the page and into a UI element when verifying if a change in focus is
// allowed. The value will be reset after a RFHI gets focus. The RFHI will
// then keep track of this value to handle passing focus to other frames.
bool has_lost_focus_ = false;
#if BUILDFLAG(IS_ANDROID)
// Tracks the current importance of widget.
ChildProcessImportance importance_ = ChildProcessImportance::NORMAL;
#endif
// True when waiting for visual_properties_ack.
bool visual_properties_ack_pending_ = false;
// Visual properties that were most recently sent to the renderer.
std::unique_ptr<blink::VisualProperties> old_visual_properties_;
// True if the render widget host should track the render widget's size as
// opposed to visa versa.
bool auto_resize_enabled_ = false;
// The minimum size for the render widget if auto-resize is enabled.
gfx::Size min_size_for_auto_resize_;
// The maximum size for the render widget if auto-resize is enabled.
gfx::Size max_size_for_auto_resize_;
// These properties are propagated down the RenderWidget tree from the main
// frame to a child frame RenderWidgetHost. They are not used on a top-level
// RenderWidgetHost. The child frame RenderWidgetHost stores these values to
// pass them to the renderer, instead of computing them for itself. It
// collects them and passes them though
// blink::mojom::Widget::UpdateVisualProperties so that the renderer receives
// updates in an atomic fashion along with a synchronization token for the
// compositor in a LocalSurfaceId.
struct MainFramePropagationProperties {
MainFramePropagationProperties();
~MainFramePropagationProperties();
// The page-scale factor of the main-frame.
float page_scale_factor = 1.f;
// This represents the child frame's raster scale factor which takes into
// account the transform from child frame space to main frame space.
float compositing_scale_factor = 1.f;
// True when the renderer is currently undergoing a pinch-zoom gesture.
bool is_pinch_gesture_active = false;
// The size of the main frame's widget in device px.
gfx::Size visible_viewport_size;
gfx::Rect compositor_viewport;
// The logical segments of the root widget, in DIPs relative to the root
// RenderWidgetHost.
std::vector<gfx::Rect> root_widget_viewport_segments;
} properties_from_parent_local_root_;
bool waiting_for_screen_rects_ack_ = false;
gfx::Rect last_view_screen_rect_;
gfx::Rect last_window_screen_rect_;
// Keyboard event listeners.
std::vector<KeyPressEventCallback> key_press_event_callbacks_;
// Mouse event callbacks.
std::vector<MouseEventCallback> mouse_event_callbacks_;
// Suppress showing keyboard callbacks.
std::vector<SuppressShowingImeCallback> suppress_showing_ime_callbacks_;
// Input event callbacks.
base::ObserverList<RenderWidgetHost::InputEventObserver>::Unchecked
input_event_observers_;
#if BUILDFLAG(IS_ANDROID)
// Ime input event callbacks. This is separated from input_event_observers_,
// because not all text events are triggered by input events on Android.
base::ObserverList<RenderWidgetHost::InputEventObserver>::Unchecked
ime_input_event_observers_;
#endif
// The observers watching us.
base::ObserverList<RenderWidgetHostObserver> observers_;
// This is true if the renderer is currently unresponsive.
bool is_unresponsive_ = false;
// Set when we update the text direction of the selected input element.
bool text_direction_updated_ = false;
base::i18n::TextDirection text_direction_ = base::i18n::LEFT_TO_RIGHT;
// Indicates if Char and KeyUp events should be suppressed or not. Usually all
// events are sent to the renderer directly in sequence. However, if a
// RawKeyDown event was handled by PreHandleKeyboardEvent() or
// KeyPressListenersHandleEvent(), e.g. as an accelerator key, then the
// RawKeyDown event is not sent to the renderer, and the following sequence of
// Char and KeyUp events should also not be sent. Otherwise the renderer will
// see only the Char and KeyUp events and cause unexpected behavior. For
// example, pressing alt-2 may let the browser switch to the second tab, but
// the Char event generated by alt-2 may also activate a HTML element if its
// accesskey happens to be "2", then the user may get confused when switching
// back to the original tab, because the content may already have changed.
bool suppress_events_until_keydown_ = false;
bool pending_pointer_lock_request_ = false;
bool pointer_lock_raw_movement_ = false;
// Stores the keyboard keys to lock while waiting for a pending lock request.
std::optional<base::flat_set<ui::DomCode>> keyboard_keys_to_lock_;
bool keyboard_lock_allowed_ = false;
base::OnceCallback<void(blink::mojom::KeyboardLockRequestResult)>
keyboard_lock_request_callback_;
// Used when locking to indicate when a target application has voluntarily
// unlocked and desires to relock the mouse. If the mouse is unlocked due
// to ESC being pressed by the user, this will be false.
bool is_last_unlocked_by_target_ = false;
// True when the cursor has entered the autoscroll mode. A GSB is not
// necessarily sent yet.
bool autoscroll_in_progress_ = false;
// TODO(crbug.com/40263900): The gesture controller can cause synchronous
// destruction of the page (sending a click to the tab close button). Since
// that'll destroy the RenderWidgetHostImpl, having it own the controller is
// awkward.
std::unique_ptr<SyntheticGestureController> synthetic_gesture_controller_;
// The View associated with the RenderWidgetHost. The lifetime of this object
// is associated with the lifetime of the Render process. If the Renderer
// crashes, its View is destroyed and this pointer becomes NULL, even though
// render_view_host_ lives on to load another URL (creating a new View while
// doing so).
base::WeakPtr<RenderWidgetHostViewBase> view_;
// Receives and handles input events.
std::unique_ptr<input::RenderInputRouter> render_input_router_;
base::CallbackListSubscription
render_process_blocked_state_changed_subscription_;
std::unique_ptr<input::TimeoutMonitor> new_content_rendering_timeout_;
bool paint_holding_activated_ = false;
int next_browser_snapshot_id_ = 1;
using PendingSnapshotMap = std::map<int, GetSnapshotFromBrowserCallback>;
PendingSnapshotMap pending_browser_snapshots_;
PendingSnapshotMap pending_surface_browser_snapshots_;
// Indicates whether this RenderWidgetHost thinks is focused. This is trying
// to match what the renderer process knows. It is different from
// RenderWidgetHostView::HasFocus in that in that the focus request may fail,
// causing HasFocus to return false when is_focused_ is true.
bool is_focused_ = false;
// Indicates whether what the last focus active state that was sent to the
// renderer.
bool is_active_ = false;
// This value indicates how long to wait for a new compositor frame from a
// renderer process before clearing any previously displayed content.
base::TimeDelta new_content_rendering_delay_;
// When true, the RenderWidget is regularly sending updates regarding
// composition info. It should only be true when there is a focused editable
// node.
bool monitoring_composition_info_ = false;
#if BUILDFLAG(IS_MAC)
mojo::Remote<device::mojom::WakeLock> wake_lock_;
#endif
// Stash a request to create a CompositorFrameSink if it arrives before we
// have a view.
base::OnceCallback<void(base::UnguessableToken, const viz::FrameSinkId&)>
create_frame_sink_callback_;
std::unique_ptr<FrameTokenMessageQueue> frame_token_message_queue_;
std::optional<uint16_t> screen_orientation_angle_for_testing_;
std::optional<display::mojom::ScreenOrientation>
screen_orientation_type_for_testing_;
RenderFrameMetadataProviderImpl render_frame_metadata_provider_;
bool surface_id_allocation_suppressed_ = false;
const viz::FrameSinkId frame_sink_id_;
// Used to avoid unnecessary IPC calls when ForwardDelegatedInkPoint receives
// the same point twice.
std::optional<gfx::DelegatedInkPoint> last_delegated_ink_point_sent_;
bool sent_autoscroll_scroll_begin_ = false;
gfx::PointF autoscroll_start_position_;
input::InputRouterImpl::RequestMouseLockCallback request_pointer_lock_callback_;
ui::mojom::TextInputStatePtr saved_text_input_state_for_suppression_;
// Parameters to pass to blink::mojom::Widget::WasShown after
// `waiting_for_init_` becomes true. These are stored in a struct instead of
// storing a callback so that they can be updated if
// RequestSuccessfulPresentationTimeForNextFrame is called while waiting.
struct PendingShowParams {
PendingShowParams(bool is_evicted,
blink::mojom::RecordContentToVisibleTimeRequestPtr
visible_time_request);
~PendingShowParams();
PendingShowParams(const PendingShowParams&) = delete;
PendingShowParams& operator=(const PendingShowParams&) = delete;
bool is_evicted;
blink::mojom::RecordContentToVisibleTimeRequestPtr visible_time_request;
};
std::optional<PendingShowParams> pending_show_params_;
// If this is initialized with a frame this member will be valid and
// can be used to send messages directly to blink.
mojo::AssociatedReceiver<blink::mojom::FrameWidgetHost>
blink_frame_widget_host_receiver_{this};
mojo::AssociatedRemote<blink::mojom::FrameWidget> blink_frame_widget_;
// If this is initialized with a popup this member will be valid and
// manages the lifecycle of the popup in blink.
mojo::AssociatedReceiver<blink::mojom::PopupWidgetHost>
blink_popup_widget_host_receiver_{this};
mojo::AssociatedReceiver<blink::mojom::WidgetHost>
blink_widget_host_receiver_{this};
mojo::AssociatedRemote<blink::mojom::Widget> blink_widget_;
mojo::Remote<blink::mojom::WidgetCompositor> widget_compositor_;
// Same-process cross-RenderFrameHost navigations may reuse the compositor
// from the previous RenderFrameHost. While the speculative RenderWidgetHost
// is created early, ownership of the FrameSinkId is transferred at commit.
// This bit is used to track which view owns the FrameSinkId.
//
// The renderer side WebFrameWidget's compositor can create a FrameSink and
// produce frames associated with `frame_sink_id_` only when it owns that
// FrameSinkId.
bool view_is_frame_sink_id_owner_{false};
std::unique_ptr<CompositorMetricRecorder> compositor_metric_recorder_;
base::WeakPtrFactory<RenderWidgetHostImpl> weak_factory_{this};
};
} // namespace content
namespace base {
template <>
struct ScopedObservationTraits<content::RenderWidgetHostImpl,
content::RenderWidgetHost::InputEventObserver> {
static void AddObserver(
content::RenderWidgetHostImpl* source,
content::RenderWidgetHost::InputEventObserver* observer) {
source->AddInputEventObserver(observer);
}
static void RemoveObserver(
content::RenderWidgetHostImpl* source,
content::RenderWidgetHost::InputEventObserver* observer) {
source->RemoveInputEventObserver(observer);
}
};
} // namespace base
#endif // CONTENT_BROWSER_RENDERER_HOST_RENDER_WIDGET_HOST_IMPL_H_
|