text
stringlengths
6
13.6M
id
stringlengths
13
176
metadata
dict
__index_level_0__
int64
0
1.69k
// Copyright 2016 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "ax_node_position.h" #include "ax_build/build_config.h" #include "ax_enums.h" #include "ax_node_data.h" #include "ax_tree_manager.h" #include "ax_tree_manager_map.h" #include "base/string_utils.h" namespace ui { AXEmbeddedObjectBehavior g_ax_embedded_object_behavior = #if defined(OS_WIN) AXEmbeddedObjectBehavior::kExposeCharacter; #else AXEmbeddedObjectBehavior::kSuppressCharacter; #endif // defined(OS_WIN) ScopedAXEmbeddedObjectBehaviorSetter::ScopedAXEmbeddedObjectBehaviorSetter( AXEmbeddedObjectBehavior behavior) { prev_behavior_ = g_ax_embedded_object_behavior; g_ax_embedded_object_behavior = behavior; } ScopedAXEmbeddedObjectBehaviorSetter::~ScopedAXEmbeddedObjectBehaviorSetter() { g_ax_embedded_object_behavior = prev_behavior_; } // static AXNodePosition::AXPositionInstance AXNodePosition::CreatePosition( const AXNode& node, int child_index_or_text_offset, ax::mojom::TextAffinity affinity) { if (!node.tree()) return CreateNullPosition(); AXTreeID tree_id = node.tree()->GetAXTreeID(); if (node.IsText()) { return CreateTextPosition(tree_id, node.id(), child_index_or_text_offset, affinity); } return CreateTreePosition(tree_id, node.id(), child_index_or_text_offset); } AXNodePosition::AXNodePosition() = default; AXNodePosition::~AXNodePosition() = default; AXNodePosition::AXNodePosition(const AXNodePosition& other) : AXPosition<AXNodePosition, AXNode>(other) {} AXNodePosition::AXPositionInstance AXNodePosition::Clone() const { return AXPositionInstance(new AXNodePosition(*this)); } void AXNodePosition::AnchorChild(int child_index, AXTreeID* tree_id, AXNode::AXID* child_id) const { BASE_DCHECK(tree_id); BASE_DCHECK(child_id); if (!GetAnchor() || child_index < 0 || child_index >= AnchorChildCount()) { *tree_id = AXTreeIDUnknown(); *child_id = AXNode::kInvalidAXID; return; } AXNode* child = nullptr; const AXTreeManager* child_tree_manager = AXTreeManagerMap::GetInstance().GetManagerForChildTree(*GetAnchor()); if (child_tree_manager) { // The child node exists in a separate tree from its parent. child = child_tree_manager->GetRootAsAXNode(); *tree_id = child_tree_manager->GetTreeID(); } else { child = GetAnchor()->children()[static_cast<size_t>(child_index)]; *tree_id = this->tree_id(); } BASE_DCHECK(child); *child_id = child->id(); } int AXNodePosition::AnchorChildCount() const { if (!GetAnchor()) return 0; const AXTreeManager* child_tree_manager = AXTreeManagerMap::GetInstance().GetManagerForChildTree(*GetAnchor()); if (child_tree_manager) return 1; return static_cast<int>(GetAnchor()->children().size()); } int AXNodePosition::AnchorUnignoredChildCount() const { if (!GetAnchor()) return 0; return static_cast<int>(GetAnchor()->GetUnignoredChildCount()); } int AXNodePosition::AnchorIndexInParent() const { return GetAnchor() ? static_cast<int>(GetAnchor()->index_in_parent()) : INVALID_INDEX; } int AXNodePosition::AnchorSiblingCount() const { AXNode* parent = GetAnchor()->GetUnignoredParent(); if (parent) return static_cast<int>(parent->GetUnignoredChildCount()); return 0; } std::stack<AXNode*> AXNodePosition::GetAncestorAnchors() const { std::stack<AXNode*> anchors; AXNode* current_anchor = GetAnchor(); AXNode::AXID current_anchor_id = GetAnchor()->id(); AXTreeID current_tree_id = tree_id(); AXNode::AXID parent_anchor_id = AXNode::kInvalidAXID; AXTreeID parent_tree_id = AXTreeIDUnknown(); while (current_anchor) { anchors.push(current_anchor); current_anchor = GetParent( current_anchor /*child*/, current_tree_id /*child_tree_id*/, &parent_tree_id /*parent_tree_id*/, &parent_anchor_id /*parent_id*/); current_anchor_id = parent_anchor_id; current_tree_id = parent_tree_id; } return anchors; } AXNode* AXNodePosition::GetLowestUnignoredAncestor() const { if (!GetAnchor()) return nullptr; return GetAnchor()->GetUnignoredParent(); } void AXNodePosition::AnchorParent(AXTreeID* tree_id, AXNode::AXID* parent_id) const { BASE_DCHECK(tree_id); BASE_DCHECK(parent_id); *tree_id = AXTreeIDUnknown(); *parent_id = AXNode::kInvalidAXID; if (!GetAnchor()) return; AXNode* parent = GetParent(GetAnchor() /*child*/, this->tree_id() /*child_tree_id*/, tree_id /*parent_tree_id*/, parent_id /*parent_id*/); if (!parent) { *tree_id = AXTreeIDUnknown(); *parent_id = AXNode::kInvalidAXID; } } AXNode* AXNodePosition::GetNodeInTree(AXTreeID tree_id, AXNode::AXID node_id) const { if (node_id == AXNode::kInvalidAXID) return nullptr; AXTreeManager* manager = AXTreeManagerMap::GetInstance().GetManager(tree_id); if (manager) return manager->GetNodeFromTree(tree_id, node_id); return nullptr; } AXNode::AXID AXNodePosition::GetAnchorID(AXNode* node) const { return node->id(); } AXTreeID AXNodePosition::GetTreeID(AXNode* node) const { return node->tree()->GetAXTreeID(); } std::u16string AXNodePosition::GetText() const { if (IsNullPosition()) return {}; std::u16string text; if (IsEmptyObjectReplacedByCharacter()) { text += kEmbeddedCharacter; return text; } const AXNode* anchor = GetAnchor(); BASE_DCHECK(anchor); // TODO(nektar): Replace with PlatformChildCount when AXNodePosition and // BrowserAccessibilityPosition are merged into one class. if (!AnchorChildCount()) { // Special case: Allows us to get text even in non-web content, e.g. in the // browser's UI. text = anchor->data().GetString16Attribute(ax::mojom::StringAttribute::kValue); if (!text.empty()) return text; } if (anchor->IsText()) { return anchor->data().GetString16Attribute( ax::mojom::StringAttribute::kName); } for (int i = 0; i < AnchorChildCount(); ++i) { text += CreateChildPositionAt(i)->GetText(); } return text; } bool AXNodePosition::IsInLineBreak() const { if (IsNullPosition()) return false; BASE_DCHECK(GetAnchor()); return GetAnchor()->IsLineBreak(); } bool AXNodePosition::IsInTextObject() const { if (IsNullPosition()) return false; BASE_DCHECK(GetAnchor()); return GetAnchor()->IsText(); } bool AXNodePosition::IsInWhiteSpace() const { if (IsNullPosition()) return false; BASE_DCHECK(GetAnchor()); return GetAnchor()->IsLineBreak() || base::ContainsOnlyChars(GetText(), base::kWhitespaceUTF16); } // This override is an optimized version AXPosition::MaxTextOffset. Instead of // concatenating the strings in GetText() to then get their text length, we sum // the lengths of the individual strings. This is faster than concatenating the // strings first and then taking their length, especially when the process // is recursive. int AXNodePosition::MaxTextOffset() const { if (IsNullPosition()) return INVALID_OFFSET; if (IsEmptyObjectReplacedByCharacter()) return 1; const AXNode* anchor = GetAnchor(); BASE_DCHECK(anchor); // TODO(nektar): Replace with PlatformChildCount when AXNodePosition and // BrowserAccessibilityPosition will make one. if (!AnchorChildCount()) { std::u16string value = anchor->data().GetString16Attribute(ax::mojom::StringAttribute::kValue); if (!value.empty()) return value.length(); } if (anchor->IsText()) { return anchor->data() .GetString16Attribute(ax::mojom::StringAttribute::kName) .length(); } int text_length = 0; for (int i = 0; i < AnchorChildCount(); ++i) { text_length += CreateChildPositionAt(i)->MaxTextOffset(); } return text_length; } bool AXNodePosition::IsEmbeddedObjectInParent() const { switch (g_ax_embedded_object_behavior) { case AXEmbeddedObjectBehavior::kSuppressCharacter: return false; case AXEmbeddedObjectBehavior::kExposeCharacter: // We don't need to expose an "embedded object character" for textual // nodes and nodes that are invisible to platform APIs. Textual nodes are // represented by their actual text. return !IsNullPosition() && !GetAnchor()->IsText() && GetAnchor()->IsChildOfLeaf(); } } bool AXNodePosition::IsInLineBreakingObject() const { if (IsNullPosition()) return false; BASE_DCHECK(GetAnchor()); return (GetAnchor()->data().GetBoolAttribute( ax::mojom::BoolAttribute::kIsLineBreakingObject) && !GetAnchor()->IsInListMarker()) || GetAnchor()->data().role == ax::mojom::Role::kLineBreak; } ax::mojom::Role AXNodePosition::GetAnchorRole() const { if (IsNullPosition()) return ax::mojom::Role::kNone; BASE_DCHECK(GetAnchor()); return GetRole(GetAnchor()); } ax::mojom::Role AXNodePosition::GetRole(AXNode* node) const { return node->data().role; } AXNodeTextStyles AXNodePosition::GetTextStyles() const { // Check either the current anchor or its parent for text styles. AXNodeTextStyles current_anchor_text_styles = !IsNullPosition() ? GetAnchor()->data().GetTextStyles() : AXNodeTextStyles(); if (current_anchor_text_styles.IsUnset()) { AXPositionInstance parent = CreateParentPosition(); if (!parent->IsNullPosition()) return parent->GetAnchor()->data().GetTextStyles(); } return current_anchor_text_styles; } std::vector<int32_t> AXNodePosition::GetWordStartOffsets() const { if (IsNullPosition()) return std::vector<int32_t>(); BASE_DCHECK(GetAnchor()); // Embedded object replacement characters are not represented in |kWordStarts| // attribute. if (IsEmptyObjectReplacedByCharacter()) return {0}; return GetAnchor()->data().GetIntListAttribute( ax::mojom::IntListAttribute::kWordStarts); } std::vector<int32_t> AXNodePosition::GetWordEndOffsets() const { if (IsNullPosition()) return std::vector<int32_t>(); BASE_DCHECK(GetAnchor()); // Embedded object replacement characters are not represented in |kWordEnds| // attribute. Since the whole text exposed inside of an embedded object is of // length 1 (the embedded object replacement character), the word end offset // is positioned at 1. Because we want to treat the embedded object // replacement characters as ordinary characters, it wouldn't be consistent to // assume they have no length and return 0 instead of 1. if (IsEmptyObjectReplacedByCharacter()) return {1}; return GetAnchor()->data().GetIntListAttribute( ax::mojom::IntListAttribute::kWordEnds); } AXNode::AXID AXNodePosition::GetNextOnLineID(AXNode::AXID node_id) const { if (IsNullPosition()) return AXNode::kInvalidAXID; AXNode* node = GetNodeInTree(tree_id(), node_id); int next_on_line_id; if (!node || !node->data().GetIntAttribute( ax::mojom::IntAttribute::kNextOnLineId, &next_on_line_id)) { return AXNode::kInvalidAXID; } return static_cast<AXNode::AXID>(next_on_line_id); } AXNode::AXID AXNodePosition::GetPreviousOnLineID(AXNode::AXID node_id) const { if (IsNullPosition()) return AXNode::kInvalidAXID; AXNode* node = GetNodeInTree(tree_id(), node_id); int previous_on_line_id; if (!node || !node->data().GetIntAttribute(ax::mojom::IntAttribute::kPreviousOnLineId, &previous_on_line_id)) { return AXNode::kInvalidAXID; } return static_cast<AXNode::AXID>(previous_on_line_id); } AXNode* AXNodePosition::GetParent(AXNode* child, AXTreeID child_tree_id, AXTreeID* parent_tree_id, AXNode::AXID* parent_id) { BASE_DCHECK(parent_tree_id); BASE_DCHECK(parent_id); *parent_tree_id = AXTreeIDUnknown(); *parent_id = AXNode::kInvalidAXID; if (!child) return nullptr; AXNode* parent = child->parent(); *parent_tree_id = child_tree_id; if (!parent) { AXTreeManager* manager = AXTreeManagerMap::GetInstance().GetManager(child_tree_id); if (manager) { parent = manager->GetParentNodeFromParentTreeAsAXNode(); *parent_tree_id = manager->GetParentTreeID(); } } if (!parent) { *parent_tree_id = AXTreeIDUnknown(); return parent; } *parent_id = parent->id(); return parent; } } // namespace ui
engine/third_party/accessibility/ax/ax_node_position.cc/0
{ "file_path": "engine/third_party/accessibility/ax/ax_node_position.cc", "repo_id": "engine", "token_count": 4778 }
412
// Copyright 2018 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "ax_table_info.h" #include "gtest/gtest.h" #include "ax_enums.h" #include "ax_node.h" #include "ax_tree.h" namespace ui { namespace { void MakeTable(AXNodeData* table, int id, int row_count, int col_count) { table->id = id; table->role = ax::mojom::Role::kTable; table->AddIntAttribute(ax::mojom::IntAttribute::kTableRowCount, row_count); table->AddIntAttribute(ax::mojom::IntAttribute::kTableColumnCount, col_count); } void MakeRowGroup(AXNodeData* row_group, int id) { row_group->id = id; row_group->role = ax::mojom::Role::kRowGroup; } void MakeRow(AXNodeData* row, int id, int row_index) { row->id = id; row->role = ax::mojom::Role::kRow; row->AddIntAttribute(ax::mojom::IntAttribute::kTableRowIndex, row_index); } void MakeCell(AXNodeData* cell, int id, int row_index, int col_index, int row_span = 1, int col_span = 1) { cell->id = id; cell->role = ax::mojom::Role::kCell; cell->AddIntAttribute(ax::mojom::IntAttribute::kTableCellRowIndex, row_index); cell->AddIntAttribute(ax::mojom::IntAttribute::kTableCellColumnIndex, col_index); if (row_span > 1) cell->AddIntAttribute(ax::mojom::IntAttribute::kTableCellRowSpan, row_span); if (col_span > 1) cell->AddIntAttribute(ax::mojom::IntAttribute::kTableCellColumnSpan, col_span); } void MakeColumnHeader(AXNodeData* cell, int id, int row_index, int col_index, int row_span = 1, int col_span = 1) { MakeCell(cell, id, row_index, col_index, row_span, col_span); cell->role = ax::mojom::Role::kColumnHeader; } void MakeRowHeader(AXNodeData* cell, int id, int row_index, int col_index, int row_span = 1, int col_span = 1) { MakeCell(cell, id, row_index, col_index, row_span, col_span); cell->role = ax::mojom::Role::kRowHeader; } } // namespace // A macro for testing that a std::optional has both a value and that its value // is set to a particular expectation. #define EXPECT_OPTIONAL_EQ(expected, actual) \ EXPECT_TRUE(actual.has_value()); \ if (actual) { \ EXPECT_EQ(expected, actual.value()); \ } class AXTableInfoTest : public testing::Test { public: AXTableInfoTest() {} ~AXTableInfoTest() override {} protected: AXTableInfo* GetTableInfo(AXTree* tree, AXNode* node) { return tree->GetTableInfo(node); } private: BASE_DISALLOW_COPY_AND_ASSIGN(AXTableInfoTest); }; TEST_F(AXTableInfoTest, SimpleTable) { // Simple 2 x 2 table with 2 column headers in first row, 2 cells in second // row. The first row is parented by a rowgroup. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(8); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {888, 3}; MakeRowGroup(&initial_state.nodes[1], 888); initial_state.nodes[1].child_ids = {2}; MakeRow(&initial_state.nodes[2], 2, 0); initial_state.nodes[2].child_ids = {4, 5}; MakeRow(&initial_state.nodes[3], 3, 1); initial_state.nodes[3].child_ids = {6, 7}; MakeColumnHeader(&initial_state.nodes[4], 4, 0, 0); MakeColumnHeader(&initial_state.nodes[5], 5, 0, 1); MakeCell(&initial_state.nodes[6], 6, 1, 0); MakeCell(&initial_state.nodes[7], 7, 1, 1); AXTree tree(initial_state); // // Low-level: test the AXTableInfo directly. // AXTableInfo* table_info = GetTableInfo(&tree, tree.root()->children()[0]); EXPECT_FALSE(table_info); table_info = GetTableInfo(&tree, tree.root()); EXPECT_TRUE(table_info); EXPECT_EQ(2u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); EXPECT_EQ(2U, table_info->row_headers.size()); EXPECT_EQ(0U, table_info->row_headers[0].size()); EXPECT_EQ(0U, table_info->row_headers[1].size()); EXPECT_EQ(2U, table_info->col_headers.size()); EXPECT_EQ(1U, table_info->col_headers[0].size()); EXPECT_EQ(4, table_info->col_headers[0][0]); EXPECT_EQ(1U, table_info->col_headers[1].size()); EXPECT_EQ(5, table_info->col_headers[1][0]); EXPECT_EQ(4, table_info->cell_ids[0][0]); EXPECT_EQ(5, table_info->cell_ids[0][1]); EXPECT_EQ(6, table_info->cell_ids[1][0]); EXPECT_EQ(7, table_info->cell_ids[1][1]); EXPECT_EQ(4U, table_info->unique_cell_ids.size()); EXPECT_EQ(4, table_info->unique_cell_ids[0]); EXPECT_EQ(5, table_info->unique_cell_ids[1]); EXPECT_EQ(6, table_info->unique_cell_ids[2]); EXPECT_EQ(7, table_info->unique_cell_ids[3]); EXPECT_EQ(0u, table_info->cell_id_to_index[4]); EXPECT_EQ(1u, table_info->cell_id_to_index[5]); EXPECT_EQ(2u, table_info->cell_id_to_index[6]); EXPECT_EQ(3u, table_info->cell_id_to_index[7]); EXPECT_EQ(2u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); EXPECT_EQ(3, table_info->row_nodes[1]->data().id); EXPECT_EQ(0U, table_info->extra_mac_nodes.size()); // // High-level: Test the helper functions on AXNode. // AXNode* table = tree.root(); EXPECT_TRUE(table->IsTable()); EXPECT_FALSE(table->IsTableRow()); EXPECT_FALSE(table->IsTableCellOrHeader()); EXPECT_OPTIONAL_EQ(2, table->GetTableColCount()); EXPECT_OPTIONAL_EQ(2, table->GetTableRowCount()); ASSERT_TRUE(table->GetTableCellFromCoords(0, 0)); EXPECT_EQ(4, table->GetTableCellFromCoords(0, 0)->id()); EXPECT_EQ(5, table->GetTableCellFromCoords(0, 1)->id()); EXPECT_EQ(6, table->GetTableCellFromCoords(1, 0)->id()); EXPECT_EQ(7, table->GetTableCellFromCoords(1, 1)->id()); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(2, 1)); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(1, -1)); EXPECT_EQ(4, table->GetTableCellFromIndex(0)->id()); EXPECT_EQ(5, table->GetTableCellFromIndex(1)->id()); EXPECT_EQ(6, table->GetTableCellFromIndex(2)->id()); EXPECT_EQ(7, table->GetTableCellFromIndex(3)->id()); EXPECT_EQ(nullptr, table->GetTableCellFromIndex(-1)); EXPECT_EQ(nullptr, table->GetTableCellFromIndex(4)); AXNode* row_0 = tree.GetFromId(2); EXPECT_FALSE(row_0->IsTable()); EXPECT_TRUE(row_0->IsTableRow()); EXPECT_FALSE(row_0->IsTableCellOrHeader()); EXPECT_OPTIONAL_EQ(0, row_0->GetTableRowRowIndex()); AXNode* row_1 = tree.GetFromId(3); EXPECT_FALSE(row_1->IsTable()); EXPECT_TRUE(row_1->IsTableRow()); EXPECT_FALSE(row_1->IsTableCellOrHeader()); EXPECT_OPTIONAL_EQ(1, row_1->GetTableRowRowIndex()); AXNode* cell_0_0 = tree.GetFromId(4); EXPECT_FALSE(cell_0_0->IsTable()); EXPECT_FALSE(cell_0_0->IsTableRow()); EXPECT_TRUE(cell_0_0->IsTableCellOrHeader()); EXPECT_OPTIONAL_EQ(0, cell_0_0->GetTableCellIndex()); EXPECT_OPTIONAL_EQ(0, cell_0_0->GetTableCellColIndex()); EXPECT_OPTIONAL_EQ(0, cell_0_0->GetTableCellRowIndex()); EXPECT_OPTIONAL_EQ(1, cell_0_0->GetTableCellColSpan()); EXPECT_OPTIONAL_EQ(1, cell_0_0->GetTableCellRowSpan()); AXNode* cell_1_1 = tree.GetFromId(7); EXPECT_FALSE(cell_1_1->IsTable()); EXPECT_FALSE(cell_1_1->IsTableRow()); EXPECT_TRUE(cell_1_1->IsTableCellOrHeader()); EXPECT_OPTIONAL_EQ(3, cell_1_1->GetTableCellIndex()); EXPECT_OPTIONAL_EQ(1, cell_1_1->GetTableCellRowIndex()); EXPECT_OPTIONAL_EQ(1, cell_1_1->GetTableCellColSpan()); EXPECT_OPTIONAL_EQ(1, cell_1_1->GetTableCellRowSpan()); std::vector<AXNode*> col_headers; cell_1_1->GetTableCellColHeaders(&col_headers); EXPECT_EQ(1U, col_headers.size()); EXPECT_EQ(5, col_headers[0]->id()); std::vector<AXNode*> row_headers; cell_1_1->GetTableCellRowHeaders(&row_headers); EXPECT_EQ(0U, row_headers.size()); EXPECT_EQ(2u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); EXPECT_EQ(2u, row_0->GetTableRowNodeIds().size()); EXPECT_EQ(2, row_0->GetTableRowNodeIds()[0]); EXPECT_EQ(3, row_0->GetTableRowNodeIds()[1]); EXPECT_EQ(2u, row_1->GetTableRowNodeIds().size()); EXPECT_EQ(2, row_1->GetTableRowNodeIds()[0]); EXPECT_EQ(3, row_1->GetTableRowNodeIds()[1]); EXPECT_EQ(2u, cell_0_0->GetTableRowNodeIds().size()); EXPECT_EQ(2, cell_0_0->GetTableRowNodeIds()[0]); EXPECT_EQ(3, cell_0_0->GetTableRowNodeIds()[1]); EXPECT_EQ(2u, cell_1_1->GetTableRowNodeIds().size()); EXPECT_EQ(2, cell_1_1->GetTableRowNodeIds()[0]); EXPECT_EQ(3, cell_1_1->GetTableRowNodeIds()[1]); } TEST_F(AXTableInfoTest, ComputedTableSizeIncludesSpans) { // Simple 2 x 2 table with 2 column headers in first row, 2 cells in second // row, but two cells have spans, affecting the computed row and column count. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].child_ids = {6, 7}; MakeCell(&initial_state.nodes[3], 4, 0, 0); MakeCell(&initial_state.nodes[4], 5, 0, 1, 1, 5); // Column span of 5 MakeCell(&initial_state.nodes[5], 6, 1, 0); MakeCell(&initial_state.nodes[6], 7, 1, 1, 3, 1); // Row span of 3 AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); EXPECT_EQ(4u, table_info->row_count); EXPECT_EQ(6u, table_info->col_count); EXPECT_EQ(2u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); EXPECT_EQ(3, table_info->row_nodes[1]->data().id); } TEST_F(AXTableInfoTest, AuthorRowAndColumnCountsAreRespected) { // Simple 1 x 1 table, but the table's authored row and column // counts imply a larger table (with missing cells). AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(3); MakeTable(&initial_state.nodes[0], 1, 8, 9); initial_state.nodes[0].child_ids = {2}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {3}; MakeCell(&initial_state.nodes[2], 3, 0, 1); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); EXPECT_EQ(8u, table_info->row_count); EXPECT_EQ(9u, table_info->col_count); EXPECT_EQ(1u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); } TEST_F(AXTableInfoTest, TableInfoRecomputedOnlyWhenTableChanges) { // Simple 1 x 1 table. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(3); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {3}; MakeCell(&initial_state.nodes[2], 3, 0, 0); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); EXPECT_EQ(1u, table_info->row_count); EXPECT_EQ(1u, table_info->col_count); // Table info is cached. AXTableInfo* table_info_2 = GetTableInfo(&tree, tree.root()); EXPECT_EQ(table_info, table_info_2); // Update the table so that the cell has a span. AXTreeUpdate update = initial_state; MakeCell(&update.nodes[2], 3, 0, 0, 1, 2); EXPECT_TRUE(tree.Unserialize(update)); AXTableInfo* table_info_3 = GetTableInfo(&tree, tree.root()); EXPECT_EQ(1u, table_info_3->row_count); EXPECT_EQ(2u, table_info_3->col_count); EXPECT_EQ(1u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); } TEST_F(AXTableInfoTest, CellIdsHandlesSpansAndMissingCells) { // 3 column x 2 row table with spans and missing cells: // // +---+---+---+ // | | 5 | // + 4 +---+---+ // | | 6 | // +---+---+ AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(6); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].child_ids = {6}; MakeCell(&initial_state.nodes[3], 4, 0, 0, 2, 1); // Row span of 2 MakeCell(&initial_state.nodes[4], 5, 0, 1, 1, 5); // Column span of 2 MakeCell(&initial_state.nodes[5], 6, 1, 1); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); EXPECT_EQ(4, table_info->cell_ids[0][0]); EXPECT_EQ(5, table_info->cell_ids[0][1]); EXPECT_EQ(5, table_info->cell_ids[0][1]); EXPECT_EQ(4, table_info->cell_ids[1][0]); EXPECT_EQ(6, table_info->cell_ids[1][1]); EXPECT_EQ(0, table_info->cell_ids[1][2]); EXPECT_EQ(3U, table_info->unique_cell_ids.size()); EXPECT_EQ(4, table_info->unique_cell_ids[0]); EXPECT_EQ(5, table_info->unique_cell_ids[1]); EXPECT_EQ(6, table_info->unique_cell_ids[2]); EXPECT_EQ(0u, table_info->cell_id_to_index[4]); EXPECT_EQ(1u, table_info->cell_id_to_index[5]); EXPECT_EQ(2u, table_info->cell_id_to_index[6]); EXPECT_EQ(2u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); EXPECT_EQ(3, table_info->row_nodes[1]->data().id); } TEST_F(AXTableInfoTest, SkipsGenericAndIgnoredNodes) { // Simple 2 x 2 table with 2 cells in the first row, 2 cells in the second // row, but with extra divs and ignored nodes in the tree. // // 1 Table // 2 Row // 3 Ignored // 4 Generic // 5 Cell // 6 Cell // 7 Ignored // 8 Row // 9 Cell // 10 Cell AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(10); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 7}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {3}; initial_state.nodes[2].id = 3; initial_state.nodes[2].AddState(ax::mojom::State::kIgnored); initial_state.nodes[2].child_ids = {4, 6}; initial_state.nodes[3].id = 4; initial_state.nodes[3].role = ax::mojom::Role::kGenericContainer; initial_state.nodes[3].child_ids = {5}; MakeCell(&initial_state.nodes[4], 5, 0, 0); MakeCell(&initial_state.nodes[5], 6, 0, 1); initial_state.nodes[6].id = 7; initial_state.nodes[6].AddState(ax::mojom::State::kIgnored); initial_state.nodes[6].child_ids = {8}; MakeRow(&initial_state.nodes[7], 8, 1); initial_state.nodes[7].child_ids = {9, 10}; MakeCell(&initial_state.nodes[8], 9, 1, 0); MakeCell(&initial_state.nodes[9], 10, 1, 1); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()->children()[0]); EXPECT_FALSE(table_info); table_info = GetTableInfo(&tree, tree.root()); EXPECT_TRUE(table_info); EXPECT_EQ(2u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); EXPECT_EQ(5, table_info->cell_ids[0][0]); EXPECT_EQ(6, table_info->cell_ids[0][1]); EXPECT_EQ(9, table_info->cell_ids[1][0]); EXPECT_EQ(10, table_info->cell_ids[1][1]); EXPECT_EQ(2u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); EXPECT_EQ(8, table_info->row_nodes[1]->data().id); } TEST_F(AXTableInfoTest, HeadersWithSpans) { // Row and column headers spanning multiple cells. // In the figure below, 5 and 6 are headers. // // +---+---+ // | 5 | // +---+---+---+ // | | 7 | // + 6 +---+---+ // | | | 8 | // +---+ +---+ AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(8); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 3, 4}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {5}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].child_ids = {6, 7}; MakeRow(&initial_state.nodes[3], 4, 2); initial_state.nodes[3].child_ids = {8}; MakeColumnHeader(&initial_state.nodes[4], 5, 0, 1, 1, 2); MakeRowHeader(&initial_state.nodes[5], 6, 1, 0, 2, 1); MakeCell(&initial_state.nodes[6], 7, 1, 1); MakeCell(&initial_state.nodes[7], 8, 2, 2); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()->children()[0]); EXPECT_FALSE(table_info); table_info = GetTableInfo(&tree, tree.root()); EXPECT_TRUE(table_info); EXPECT_EQ(3U, table_info->row_headers.size()); EXPECT_EQ(0U, table_info->row_headers[0].size()); EXPECT_EQ(1U, table_info->row_headers[1].size()); EXPECT_EQ(6, table_info->row_headers[1][0]); EXPECT_EQ(1U, table_info->row_headers[1].size()); EXPECT_EQ(6, table_info->row_headers[2][0]); EXPECT_EQ(3U, table_info->col_headers.size()); EXPECT_EQ(0U, table_info->col_headers[0].size()); EXPECT_EQ(1U, table_info->col_headers[1].size()); EXPECT_EQ(5, table_info->col_headers[1][0]); EXPECT_EQ(1U, table_info->col_headers[2].size()); EXPECT_EQ(5, table_info->col_headers[2][0]); EXPECT_EQ(0, table_info->cell_ids[0][0]); EXPECT_EQ(5, table_info->cell_ids[0][1]); EXPECT_EQ(5, table_info->cell_ids[0][2]); EXPECT_EQ(6, table_info->cell_ids[1][0]); EXPECT_EQ(7, table_info->cell_ids[1][1]); EXPECT_EQ(0, table_info->cell_ids[1][2]); EXPECT_EQ(6, table_info->cell_ids[2][0]); EXPECT_EQ(0, table_info->cell_ids[2][1]); EXPECT_EQ(8, table_info->cell_ids[2][2]); EXPECT_EQ(3u, table_info->row_nodes.size()); EXPECT_EQ(2, table_info->row_nodes[0]->data().id); EXPECT_EQ(3, table_info->row_nodes[1]->data().id); EXPECT_EQ(4, table_info->row_nodes[2]->data().id); } TEST_F(AXTableInfoTest, ExtraMacNodes) { // Simple 2 x 2 table with 2 column headers in first row, 2 cells in second // row. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].child_ids = {6, 7}; MakeColumnHeader(&initial_state.nodes[3], 4, 0, 0); MakeColumnHeader(&initial_state.nodes[4], 5, 0, 1); MakeCell(&initial_state.nodes[5], 6, 1, 0); MakeCell(&initial_state.nodes[6], 7, 1, 1); AXTree tree(initial_state); tree.SetEnableExtraMacNodes(true); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()->children()[0]); EXPECT_FALSE(table_info); table_info = GetTableInfo(&tree, tree.root()); EXPECT_TRUE(table_info); // We expect 3 extra Mac nodes: two column nodes, and one header node. EXPECT_EQ(3U, table_info->extra_mac_nodes.size()); // The first column. AXNodeData extra_node_0 = table_info->extra_mac_nodes[0]->data(); EXPECT_EQ(-1, table_info->extra_mac_nodes[0]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[0]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_0.role); EXPECT_EQ(2U, table_info->extra_mac_nodes[0]->GetIndexInParent()); EXPECT_EQ(2U, table_info->extra_mac_nodes[0]->GetUnignoredIndexInParent()); EXPECT_EQ(0, extra_node_0.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); std::vector<int32_t> indirect_child_ids; EXPECT_EQ(true, extra_node_0.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(2U, indirect_child_ids.size()); EXPECT_EQ(4, indirect_child_ids[0]); EXPECT_EQ(6, indirect_child_ids[1]); // The second column. AXNodeData extra_node_1 = table_info->extra_mac_nodes[1]->data(); EXPECT_EQ(-2, table_info->extra_mac_nodes[1]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[1]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_1.role); EXPECT_EQ(3U, table_info->extra_mac_nodes[1]->GetIndexInParent()); EXPECT_EQ(3U, table_info->extra_mac_nodes[1]->GetUnignoredIndexInParent()); EXPECT_EQ(1, extra_node_1.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_1.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(2U, indirect_child_ids.size()); EXPECT_EQ(5, indirect_child_ids[0]); EXPECT_EQ(7, indirect_child_ids[1]); // The table header container. AXNodeData extra_node_2 = table_info->extra_mac_nodes[2]->data(); EXPECT_EQ(-3, table_info->extra_mac_nodes[2]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[2]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kTableHeaderContainer, extra_node_2.role); EXPECT_EQ(4U, table_info->extra_mac_nodes[2]->GetIndexInParent()); EXPECT_EQ(4U, table_info->extra_mac_nodes[2]->GetUnignoredIndexInParent()); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_2.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(2U, indirect_child_ids.size()); EXPECT_EQ(4, indirect_child_ids[0]); EXPECT_EQ(5, indirect_child_ids[1]); } TEST_F(AXTableInfoTest, TableWithNoIndices) { AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); initial_state.nodes[0].id = 1; initial_state.nodes[0].role = ax::mojom::Role::kTable; initial_state.nodes[0].child_ids = {2, 3}; initial_state.nodes[1].id = 2; initial_state.nodes[1].role = ax::mojom::Role::kRow; initial_state.nodes[1].child_ids = {4, 5}; initial_state.nodes[2].id = 3; initial_state.nodes[2].role = ax::mojom::Role::kRow; initial_state.nodes[2].child_ids = {6, 7}; initial_state.nodes[3].id = 4; initial_state.nodes[3].role = ax::mojom::Role::kColumnHeader; initial_state.nodes[4].id = 5; initial_state.nodes[4].role = ax::mojom::Role::kColumnHeader; initial_state.nodes[5].id = 6; initial_state.nodes[5].role = ax::mojom::Role::kCell; initial_state.nodes[6].id = 7; initial_state.nodes[6].role = ax::mojom::Role::kCell; AXTree tree(initial_state); AXNode* table = tree.root(); EXPECT_TRUE(table->IsTable()); EXPECT_FALSE(table->IsTableRow()); EXPECT_FALSE(table->IsTableCellOrHeader()); EXPECT_EQ(2, table->GetTableColCount()); EXPECT_EQ(2, table->GetTableRowCount()); EXPECT_EQ(2u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); EXPECT_EQ(4, table->GetTableCellFromCoords(0, 0)->id()); EXPECT_EQ(5, table->GetTableCellFromCoords(0, 1)->id()); EXPECT_EQ(6, table->GetTableCellFromCoords(1, 0)->id()); EXPECT_EQ(7, table->GetTableCellFromCoords(1, 1)->id()); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(2, 1)); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(1, -1)); EXPECT_EQ(4, table->GetTableCellFromIndex(0)->id()); EXPECT_EQ(5, table->GetTableCellFromIndex(1)->id()); EXPECT_EQ(6, table->GetTableCellFromIndex(2)->id()); EXPECT_EQ(7, table->GetTableCellFromIndex(3)->id()); EXPECT_EQ(nullptr, table->GetTableCellFromIndex(-1)); EXPECT_EQ(nullptr, table->GetTableCellFromIndex(4)); AXNode* cell_0_0 = tree.GetFromId(4); EXPECT_EQ(0, cell_0_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_0_0->GetTableCellColIndex()); AXNode* cell_0_1 = tree.GetFromId(5); EXPECT_EQ(0, cell_0_1->GetTableCellRowIndex()); EXPECT_EQ(1, cell_0_1->GetTableCellColIndex()); AXNode* cell_1_0 = tree.GetFromId(6); EXPECT_EQ(1, cell_1_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_1_0->GetTableCellColIndex()); AXNode* cell_1_1 = tree.GetFromId(7); EXPECT_EQ(1, cell_1_1->GetTableCellRowIndex()); EXPECT_EQ(1, cell_1_1->GetTableCellColIndex()); } TEST_F(AXTableInfoTest, TableWithPartialIndices) { // Start with a table with no indices. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); initial_state.nodes[0].id = 1; initial_state.nodes[0].role = ax::mojom::Role::kTable; initial_state.nodes[0].child_ids = {2, 3}; initial_state.nodes[1].id = 2; initial_state.nodes[1].role = ax::mojom::Role::kRow; initial_state.nodes[1].child_ids = {4, 5}; initial_state.nodes[2].id = 3; initial_state.nodes[2].role = ax::mojom::Role::kRow; initial_state.nodes[2].child_ids = {6, 7}; initial_state.nodes[3].id = 4; initial_state.nodes[3].role = ax::mojom::Role::kColumnHeader; initial_state.nodes[4].id = 5; initial_state.nodes[4].role = ax::mojom::Role::kColumnHeader; initial_state.nodes[5].id = 6; initial_state.nodes[5].role = ax::mojom::Role::kCell; initial_state.nodes[6].id = 7; initial_state.nodes[6].role = ax::mojom::Role::kCell; AXTree tree(initial_state); AXNode* table = tree.root(); EXPECT_EQ(2, table->GetTableColCount()); EXPECT_EQ(2, table->GetTableRowCount()); AXNode* cell_0_0 = tree.GetFromId(4); EXPECT_EQ(0, cell_0_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_0_0->GetTableCellColIndex()); AXNode* cell_0_1 = tree.GetFromId(5); EXPECT_EQ(0, cell_0_1->GetTableCellRowIndex()); EXPECT_EQ(1, cell_0_1->GetTableCellColIndex()); AXNode* cell_1_0 = tree.GetFromId(6); EXPECT_EQ(1, cell_1_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_1_0->GetTableCellColIndex()); AXNode* cell_1_1 = tree.GetFromId(7); EXPECT_EQ(1, cell_1_1->GetTableCellRowIndex()); EXPECT_EQ(1, cell_1_1->GetTableCellColIndex()); AXTreeUpdate update = initial_state; update.nodes[0].AddIntAttribute(ax::mojom::IntAttribute::kTableColumnCount, 5); update.nodes[0].AddIntAttribute(ax::mojom::IntAttribute::kTableRowCount, 2); update.nodes[5].AddIntAttribute(ax::mojom::IntAttribute::kTableCellRowIndex, 2); update.nodes[5].AddIntAttribute( ax::mojom::IntAttribute::kTableCellColumnIndex, 0); update.nodes[6].AddIntAttribute(ax::mojom::IntAttribute::kTableCellRowIndex, 2); update.nodes[6].AddIntAttribute( ax::mojom::IntAttribute::kTableCellColumnIndex, 2); EXPECT_TRUE(tree.Unserialize(update)); // The largest column index in the table is 2, but the // table claims it has a column count of 5. That's allowed. EXPECT_EQ(5, table->GetTableColCount()); // While the table claims it has a row count of 2, the // last row has an index of 2, so the correct row count is 3. EXPECT_EQ(3, table->GetTableRowCount()); EXPECT_EQ(2u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); // All of the specified row and cell indices are legal // so they're respected. EXPECT_EQ(0, cell_0_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_0_0->GetTableCellColIndex()); EXPECT_EQ(0, cell_0_1->GetTableCellRowIndex()); EXPECT_EQ(1, cell_0_1->GetTableCellColIndex()); EXPECT_EQ(2, cell_1_0->GetTableCellRowIndex()); EXPECT_EQ(0, cell_1_0->GetTableCellColIndex()); EXPECT_EQ(2, cell_1_1->GetTableCellRowIndex()); EXPECT_EQ(2, cell_1_1->GetTableCellColIndex()); // Fetching cells by coordinates works. EXPECT_EQ(4, table->GetTableCellFromCoords(0, 0)->id()); EXPECT_EQ(5, table->GetTableCellFromCoords(0, 1)->id()); EXPECT_EQ(6, table->GetTableCellFromCoords(2, 0)->id()); EXPECT_EQ(7, table->GetTableCellFromCoords(2, 2)->id()); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(0, 2)); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(1, 0)); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(1, 1)); EXPECT_EQ(nullptr, table->GetTableCellFromCoords(2, 1)); } TEST_F(AXTableInfoTest, BadRowIndicesIgnored) { // The table claims it has two rows and two columns, but // the cell indices for both the first and second rows // are for row 2 (zero-based). // // The cell indexes for the first row should be // respected, and for the second row it will get the // next row index. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); MakeTable(&initial_state.nodes[0], 1, 2, 2); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 0); initial_state.nodes[2].child_ids = {6, 7}; MakeCell(&initial_state.nodes[3], 4, 2, 0); MakeCell(&initial_state.nodes[4], 5, 2, 1); MakeCell(&initial_state.nodes[5], 6, 2, 0); MakeCell(&initial_state.nodes[6], 7, 2, 1); AXTree tree(initial_state); AXNode* table = tree.root(); EXPECT_EQ(2, table->GetTableColCount()); EXPECT_EQ(4, table->GetTableRowCount()); EXPECT_EQ(2u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); AXNode* cell_id_4 = tree.GetFromId(4); EXPECT_EQ(2, cell_id_4->GetTableCellRowIndex()); EXPECT_EQ(0, cell_id_4->GetTableCellColIndex()); AXNode* cell_id_5 = tree.GetFromId(5); EXPECT_EQ(2, cell_id_5->GetTableCellRowIndex()); EXPECT_EQ(1, cell_id_5->GetTableCellColIndex()); AXNode* cell_id_6 = tree.GetFromId(6); EXPECT_EQ(3, cell_id_6->GetTableCellRowIndex()); EXPECT_EQ(0, cell_id_6->GetTableCellColIndex()); AXNode* cell_id_7 = tree.GetFromId(7); EXPECT_EQ(3, cell_id_7->GetTableCellRowIndex()); EXPECT_EQ(1, cell_id_7->GetTableCellColIndex()); } TEST_F(AXTableInfoTest, BadColIndicesIgnored) { // The table claims it has two rows and two columns, but // the cell indices for the columns either repeat or // go backwards. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); MakeTable(&initial_state.nodes[0], 1, 2, 2); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 0); initial_state.nodes[2].child_ids = {6, 7}; MakeCell(&initial_state.nodes[3], 4, 0, 1); MakeCell(&initial_state.nodes[4], 5, 0, 1); MakeCell(&initial_state.nodes[5], 6, 1, 2); MakeCell(&initial_state.nodes[6], 7, 1, 1); AXTree tree(initial_state); AXNode* table = tree.root(); EXPECT_EQ(4, table->GetTableColCount()); EXPECT_EQ(2, table->GetTableRowCount()); EXPECT_EQ(2u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); AXNode* cell_id_4 = tree.GetFromId(4); EXPECT_EQ(0, cell_id_4->GetTableCellRowIndex()); EXPECT_EQ(1, cell_id_4->GetTableCellColIndex()); AXNode* cell_id_5 = tree.GetFromId(5); EXPECT_EQ(0, cell_id_5->GetTableCellRowIndex()); EXPECT_EQ(2, cell_id_5->GetTableCellColIndex()); AXNode* cell_id_6 = tree.GetFromId(6); EXPECT_EQ(1, cell_id_6->GetTableCellRowIndex()); EXPECT_EQ(2, cell_id_6->GetTableCellColIndex()); AXNode* cell_id_7 = tree.GetFromId(7); EXPECT_EQ(1, cell_id_7->GetTableCellRowIndex()); EXPECT_EQ(3, cell_id_7->GetTableCellColIndex()); } TEST_F(AXTableInfoTest, AriaIndicesInferred) { // Note that ARIA indices are 1-based, whereas the rest of // the table indices are zero-based. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(13); MakeTable(&initial_state.nodes[0], 1, 3, 3); initial_state.nodes[0].AddIntAttribute(ax::mojom::IntAttribute::kAriaRowCount, 5); initial_state.nodes[0].AddIntAttribute( ax::mojom::IntAttribute::kAriaColumnCount, 5); initial_state.nodes[0].child_ids = {2, 3, 4}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {5, 6, 7}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellRowIndex, 4); initial_state.nodes[2].child_ids = {8, 9, 10}; MakeRow(&initial_state.nodes[3], 4, 2); initial_state.nodes[3].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellRowIndex, 4); initial_state.nodes[3].child_ids = {11, 12, 13}; MakeCell(&initial_state.nodes[4], 5, 0, 0); initial_state.nodes[4].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellRowIndex, 2); initial_state.nodes[4].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellColumnIndex, 2); MakeCell(&initial_state.nodes[5], 6, 0, 1); MakeCell(&initial_state.nodes[6], 7, 0, 2); MakeCell(&initial_state.nodes[7], 8, 1, 0); MakeCell(&initial_state.nodes[8], 9, 1, 1); MakeCell(&initial_state.nodes[9], 10, 1, 2); MakeCell(&initial_state.nodes[10], 11, 2, 0); initial_state.nodes[10].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellColumnIndex, 3); MakeCell(&initial_state.nodes[11], 12, 2, 1); initial_state.nodes[11].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellColumnIndex, 2); MakeCell(&initial_state.nodes[12], 13, 2, 2); initial_state.nodes[12].AddIntAttribute( ax::mojom::IntAttribute::kAriaCellColumnIndex, 1); AXTree tree(initial_state); AXNode* table = tree.root(); EXPECT_EQ(5, table->GetTableAriaColCount()); EXPECT_EQ(5, table->GetTableAriaRowCount()); EXPECT_EQ(3u, table->GetTableRowNodeIds().size()); EXPECT_EQ(2, table->GetTableRowNodeIds()[0]); EXPECT_EQ(3, table->GetTableRowNodeIds()[1]); EXPECT_EQ(4, table->GetTableRowNodeIds()[2]); // The first row has the first cell ARIA row and column index // specified as (2, 2). The rest of the row is inferred. AXNode* cell_0_0 = tree.GetFromId(5); EXPECT_EQ(2, cell_0_0->GetTableCellAriaRowIndex()); EXPECT_EQ(2, cell_0_0->GetTableCellAriaColIndex()); AXNode* cell_0_1 = tree.GetFromId(6); EXPECT_EQ(2, cell_0_1->GetTableCellAriaRowIndex()); EXPECT_EQ(3, cell_0_1->GetTableCellAriaColIndex()); AXNode* cell_0_2 = tree.GetFromId(7); EXPECT_EQ(2, cell_0_2->GetTableCellAriaRowIndex()); EXPECT_EQ(4, cell_0_2->GetTableCellAriaColIndex()); // The next row has the ARIA row index set to 4 on the row // element. The rest is inferred. AXNode* cell_1_0 = tree.GetFromId(8); EXPECT_EQ(4, cell_1_0->GetTableCellAriaRowIndex()); EXPECT_EQ(1, cell_1_0->GetTableCellAriaColIndex()); AXNode* cell_1_1 = tree.GetFromId(9); EXPECT_EQ(4, cell_1_1->GetTableCellAriaRowIndex()); EXPECT_EQ(2, cell_1_1->GetTableCellAriaColIndex()); AXNode* cell_1_2 = tree.GetFromId(10); EXPECT_EQ(4, cell_1_2->GetTableCellAriaRowIndex()); EXPECT_EQ(3, cell_1_2->GetTableCellAriaColIndex()); // The last row has the ARIA row index set to 4 again, which is // illegal so we should get 5. The cells have column indices of // 3, 2, 1 which is illegal so we ignore the latter two and should // end up with column indices of 3, 4, 5. AXNode* cell_2_0 = tree.GetFromId(11); EXPECT_EQ(5, cell_2_0->GetTableCellAriaRowIndex()); EXPECT_EQ(3, cell_2_0->GetTableCellAriaColIndex()); AXNode* cell_2_1 = tree.GetFromId(12); EXPECT_EQ(5, cell_2_1->GetTableCellAriaRowIndex()); EXPECT_EQ(4, cell_2_1->GetTableCellAriaColIndex()); AXNode* cell_2_2 = tree.GetFromId(13); EXPECT_EQ(5, cell_2_2->GetTableCellAriaRowIndex()); EXPECT_EQ(5, cell_2_2->GetTableCellAriaColIndex()); } TEST_F(AXTableInfoTest, TableChanges) { // Simple 2 col x 1 row table AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(4); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {3, 4}; MakeCell(&initial_state.nodes[2], 3, 0, 0); MakeCell(&initial_state.nodes[3], 4, 0, 1); AXTree tree(initial_state); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); EXPECT_TRUE(table_info); EXPECT_EQ(1u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); // Update the tree to remove the table role. AXTreeUpdate update = initial_state; update.nodes[0].role = ax::mojom::Role::kGroup; ASSERT_TRUE(tree.Unserialize(update)); table_info = GetTableInfo(&tree, tree.root()); EXPECT_FALSE(table_info); } TEST_F(AXTableInfoTest, ExtraMacNodesChanges) { // Simple 2 x 2 table with 2 column headers in first row, 2 cells in second // row. AXTreeUpdate initial_state; initial_state.root_id = 1; initial_state.nodes.resize(7); MakeTable(&initial_state.nodes[0], 1, 0, 0); initial_state.nodes[0].child_ids = {2, 3}; MakeRow(&initial_state.nodes[1], 2, 0); initial_state.nodes[1].child_ids = {4, 5}; MakeRow(&initial_state.nodes[2], 3, 1); initial_state.nodes[2].child_ids = {6, 7}; MakeColumnHeader(&initial_state.nodes[3], 4, 0, 0); MakeColumnHeader(&initial_state.nodes[4], 5, 0, 1); MakeCell(&initial_state.nodes[5], 6, 1, 0); MakeCell(&initial_state.nodes[6], 7, 1, 1); AXTree tree(initial_state); tree.SetEnableExtraMacNodes(true); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); ASSERT_NE(nullptr, table_info); // We expect 3 extra Mac nodes: two column nodes, and one header node. ASSERT_EQ(3U, table_info->extra_mac_nodes.size()); // Hide the first row. The number of extra Mac nodes should remain the same, // but their data should change. AXTreeUpdate update1; update1.nodes.resize(1); MakeRow(&update1.nodes[0], 2, 0); update1.nodes[0].AddState(ax::mojom::State::kIgnored); update1.nodes[0].child_ids = {4, 5}; ASSERT_TRUE(tree.Unserialize(update1)); table_info = GetTableInfo(&tree, tree.root()); ASSERT_EQ(3U, table_info->extra_mac_nodes.size()); { // The first column. AXNodeData extra_node_0 = table_info->extra_mac_nodes[0]->data(); EXPECT_EQ(-4, table_info->extra_mac_nodes[0]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[0]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_0.role); EXPECT_EQ(2U, table_info->extra_mac_nodes[0]->GetIndexInParent()); EXPECT_EQ(3U, table_info->extra_mac_nodes[0]->GetUnignoredIndexInParent()); EXPECT_EQ(0, extra_node_0.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); std::vector<int32_t> indirect_child_ids; EXPECT_EQ(true, extra_node_0.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(1U, indirect_child_ids.size()); EXPECT_EQ(6, indirect_child_ids[0]); // The second column. AXNodeData extra_node_1 = table_info->extra_mac_nodes[1]->data(); EXPECT_EQ(-5, table_info->extra_mac_nodes[1]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[1]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_1.role); EXPECT_EQ(3U, table_info->extra_mac_nodes[1]->GetIndexInParent()); EXPECT_EQ(4U, table_info->extra_mac_nodes[1]->GetUnignoredIndexInParent()); EXPECT_EQ(1, extra_node_1.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_1.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(1U, indirect_child_ids.size()); EXPECT_EQ(7, indirect_child_ids[0]); // The table header container. AXNodeData extra_node_2 = table_info->extra_mac_nodes[2]->data(); EXPECT_EQ(-6, table_info->extra_mac_nodes[2]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[2]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kTableHeaderContainer, extra_node_2.role); EXPECT_EQ(4U, table_info->extra_mac_nodes[2]->GetIndexInParent()); EXPECT_EQ(5U, table_info->extra_mac_nodes[2]->GetUnignoredIndexInParent()); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_2.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(0U, indirect_child_ids.size()); } // Delete the first row. Again, the number of extra Mac nodes should remain // the same, but their data should change. AXTreeUpdate update2; update2.node_id_to_clear = 2; update2.nodes.resize(1); MakeTable(&update2.nodes[0], 1, 0, 0); update2.nodes[0].child_ids = {3}; ASSERT_TRUE(tree.Unserialize(update2)); table_info = GetTableInfo(&tree, tree.root()); ASSERT_EQ(3U, table_info->extra_mac_nodes.size()); { // The first column. AXNodeData extra_node_0 = table_info->extra_mac_nodes[0]->data(); EXPECT_EQ(-7, table_info->extra_mac_nodes[0]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[0]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_0.role); EXPECT_EQ(1U, table_info->extra_mac_nodes[0]->GetIndexInParent()); EXPECT_EQ(1U, table_info->extra_mac_nodes[0]->GetUnignoredIndexInParent()); EXPECT_EQ(0, extra_node_0.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); std::vector<int32_t> indirect_child_ids; EXPECT_EQ(true, extra_node_0.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(1U, indirect_child_ids.size()); EXPECT_EQ(6, indirect_child_ids[0]); // The second column. AXNodeData extra_node_1 = table_info->extra_mac_nodes[1]->data(); EXPECT_EQ(-8, table_info->extra_mac_nodes[1]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[1]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kColumn, extra_node_1.role); EXPECT_EQ(2U, table_info->extra_mac_nodes[1]->GetIndexInParent()); EXPECT_EQ(2U, table_info->extra_mac_nodes[1]->GetUnignoredIndexInParent()); EXPECT_EQ(1, extra_node_1.GetIntAttribute( ax::mojom::IntAttribute::kTableColumnIndex)); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_1.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(1U, indirect_child_ids.size()); EXPECT_EQ(7, indirect_child_ids[0]); // The table header container. AXNodeData extra_node_2 = table_info->extra_mac_nodes[2]->data(); EXPECT_EQ(-9, table_info->extra_mac_nodes[2]->id()); EXPECT_EQ(1, table_info->extra_mac_nodes[2]->parent()->id()); EXPECT_EQ(ax::mojom::Role::kTableHeaderContainer, extra_node_2.role); EXPECT_EQ(3U, table_info->extra_mac_nodes[2]->GetIndexInParent()); EXPECT_EQ(3U, table_info->extra_mac_nodes[2]->GetUnignoredIndexInParent()); indirect_child_ids.clear(); EXPECT_EQ(true, extra_node_2.GetIntListAttribute( ax::mojom::IntListAttribute::kIndirectChildIds, &indirect_child_ids)); EXPECT_EQ(0U, indirect_child_ids.size()); } } TEST_F(AXTableInfoTest, RowColumnSpanChanges) { // Simple 2 col x 1 row table AXTreeUpdate update; update.root_id = 1; update.nodes.resize(4); MakeTable(&update.nodes[0], 1, 0, 0); update.nodes[0].child_ids = {2}; MakeRow(&update.nodes[1], 2, 0); update.nodes[1].child_ids = {3, 10}; MakeCell(&update.nodes[2], 3, 0, 0); MakeCell(&update.nodes[3], 10, 0, 1); AXTree tree(update); AXTableInfo* table_info = GetTableInfo(&tree, tree.root()); ASSERT_TRUE(table_info); EXPECT_EQ(1u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); EXPECT_EQ("|3 |10|\n", table_info->ToString()); // Add a row to the table. update.nodes.resize(6); update.nodes[0].child_ids = {2, 4}; MakeRow(&update.nodes[4], 4, 0); update.nodes[4].child_ids = {5}; MakeCell(&update.nodes[5], 5, -1, -1); tree.Unserialize(update); table_info = GetTableInfo(&tree, tree.root()); ASSERT_TRUE(table_info); EXPECT_EQ(2u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); EXPECT_EQ( "|3 |10|\n" "|5 |0 |\n", table_info->ToString()); // Add a row to the middle of the table, with a span. Intentionally omit other // rows from the update. update.nodes.resize(3); update.nodes[0].child_ids = {2, 6, 4}; MakeRow(&update.nodes[1], 6, 0); update.nodes[1].child_ids = {7}; MakeCell(&update.nodes[2], 7, -1, -1, 1, 2); tree.Unserialize(update); table_info = GetTableInfo(&tree, tree.root()); ASSERT_TRUE(table_info); EXPECT_EQ(3u, table_info->row_count); EXPECT_EQ(2u, table_info->col_count); EXPECT_EQ( "|3 |10|\n" "|7 |7 |\n" "|5 |0 |\n", table_info->ToString()); // Add a row to the end of the table, with a span. Intentionally omit other // rows from the update. update.nodes.resize(3); update.nodes[0].child_ids = {2, 6, 4, 8}; MakeRow(&update.nodes[1], 8, 0); update.nodes[1].child_ids = {9}; MakeCell(&update.nodes[2], 9, -1, -1, 2, 3); tree.Unserialize(update); table_info = GetTableInfo(&tree, tree.root()); ASSERT_TRUE(table_info); EXPECT_EQ(5u, table_info->row_count); EXPECT_EQ(3u, table_info->col_count); EXPECT_EQ( "|3 |10|0 |\n" "|7 |7 |0 |\n" "|5 |0 |0 |\n" "|9 |9 |9 |\n" "|9 |9 |9 |\n", table_info->ToString()); // Finally, delete a few rows. update.nodes.resize(1); update.nodes[0].child_ids = {6, 8}; tree.Unserialize(update); table_info = GetTableInfo(&tree, tree.root()); ASSERT_TRUE(table_info); EXPECT_EQ(3u, table_info->row_count); EXPECT_EQ(3u, table_info->col_count); EXPECT_EQ( "|7|7|0|\n" "|9|9|9|\n" "|9|9|9|\n", table_info->ToString()); } } // namespace ui
engine/third_party/accessibility/ax/ax_table_info_unittest.cc/0
{ "file_path": "engine/third_party/accessibility/ax/ax_table_info_unittest.cc", "repo_id": "engine", "token_count": 19483 }
413
// Copyright 2019 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef UI_ACCESSIBILITY_PLATFORM_AX_FRAGMENT_ROOT_DELEGATE_WIN_H_ #define UI_ACCESSIBILITY_PLATFORM_AX_FRAGMENT_ROOT_DELEGATE_WIN_H_ #include "flutter/third_party/accessibility/gfx/native_widget_types.h" namespace ui { // Delegate interface for clients of AXFragmentRootWin. This allows the client // to relate the fragment root to its neighbors in a loosely coupled way. class AXFragmentRootDelegateWin { public: // In our design, a fragment root can have at most one child. // See AXFragmentRootWin for more details. virtual gfx::NativeViewAccessible GetChildOfAXFragmentRoot() = 0; // Optionally returns a parent node for the fragment root. This is used, for // example, to place the web content fragment at the correct spot in the // browser UI's accessibility tree. // If a fragment root returns no parent, the OS will use HWND parent-child // relationships to establish the fragment root's location in the tree. virtual gfx::NativeViewAccessible GetParentOfAXFragmentRoot() = 0; // Return true if the window should be treated as an accessible control or // false if the window should be considered a structural detail that should // not be exposed to assistive technology users. See AXFragmentRootWin for // more details. virtual bool IsAXFragmentRootAControlElement() = 0; }; } // namespace ui #endif // UI_ACCESSIBILITY_PLATFORM_AX_FRAGMENT_ROOT_DELEGATE_WIN_H_
engine/third_party/accessibility/ax/platform/ax_fragment_root_delegate_win.h/0
{ "file_path": "engine/third_party/accessibility/ax/platform/ax_fragment_root_delegate_win.h", "repo_id": "engine", "token_count": 459 }
414
// Copyright 2015 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_NODE_MAC_UNITTEST_H_ #define UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_NODE_MAC_UNITTEST_H_ #include "ax_platform_node_mac.h" #include "ax_platform_node_unittest.h" namespace ui { // A test fixture that supports accessing the macOS-specific node // implementations for the AXTree under test. class AXPlatformNodeMacTest : public AXPlatformNodeTest { public: AXPlatformNodeMacTest(); ~AXPlatformNodeMacTest() override; void SetUp() override; void TearDown() override; protected: AXPlatformNode* AXPlatformNodeFromNode(AXNode* node); }; } // namespace ui #endif // UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_NODE_MAC_UNITTEST_H_
engine/third_party/accessibility/ax/platform/ax_platform_node_mac_unittest.h/0
{ "file_path": "engine/third_party/accessibility/ax/platform/ax_platform_node_mac_unittest.h", "repo_id": "engine", "token_count": 286 }
415
// Copyright 2019 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_TREE_MANAGER_H_ #define UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_TREE_MANAGER_H_ #include "ax/ax_export.h" #include "ax/ax_node.h" #include "ax/ax_tree_id.h" #include "ax/ax_tree_manager.h" namespace ui { class AXPlatformNode; class AXPlatformNodeDelegate; // Abstract interface for a class that owns an AXTree and manages its // connections to other AXTrees in the same page or desktop (parent and child // trees). class AX_EXPORT AXPlatformTreeManager : public AXTreeManager { public: virtual ~AXPlatformTreeManager() = default; // Returns an AXPlatformNode with the specified and |node_id|. virtual AXPlatformNode* GetPlatformNodeFromTree( const AXNode::AXID node_id) const = 0; // Returns an AXPlatformNode that corresponds to the given |node|. virtual AXPlatformNode* GetPlatformNodeFromTree(const AXNode& node) const = 0; // Returns an AXPlatformNodeDelegate that corresponds to a root node // of the accessibility tree. virtual AXPlatformNodeDelegate* RootDelegate() const = 0; }; } // namespace ui #endif // UI_ACCESSIBILITY_PLATFORM_AX_PLATFORM_TREE_MANAGER_H_
engine/third_party/accessibility/ax/platform/ax_platform_tree_manager.h/0
{ "file_path": "engine/third_party/accessibility/ax/platform/ax_platform_tree_manager.h", "repo_id": "engine", "token_count": 422 }
416
# Copyright 2013 The Flutter Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. import("//flutter/build/dart/dart.gni") import("//flutter/common/config.gni") source_set("base") { visibility = [ "//flutter/third_party/accessibility/*" ] include_dirs = [ "//flutter/third_party/accessibility" ] sources = [ "auto_reset.h", "color_utils.h", "compiler_specific.h", "container_utils.h", "logging.cc", "logging.h", "macros.h", "no_destructor.h", "simple_token.cc", "simple_token.h", "string_utils.cc", "string_utils.h", ] if (is_win) { sources += [ "win/atl.h", "win/atl_module.h", "win/display.cc", "win/display.h", "win/enum_variant.cc", "win/enum_variant.h", "win/scoped_bstr.cc", "win/scoped_bstr.h", "win/scoped_safearray.h", "win/scoped_variant.cc", "win/scoped_variant.h", "win/variant_util.h", "win/variant_vector.cc", "win/variant_vector.h", ] libs = [ "propsys.lib" ] } if (is_mac) { sources += [ "platform/darwin/scoped_nsobject.h", "platform/darwin/scoped_nsobject.mm", ] } public_deps = [ "$dart_src/third_party/double-conversion/src:libdouble_conversion", "numerics", "//flutter/fml:string_conversion", "//flutter/third_party/accessibility/ax_build", ] }
engine/third_party/accessibility/base/BUILD.gn/0
{ "file_path": "engine/third_party/accessibility/base/BUILD.gn", "repo_id": "engine", "token_count": 675 }
417
// Copyright 2017 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef BASE_NUMERICS_CLAMPED_MATH_IMPL_H_ #define BASE_NUMERICS_CLAMPED_MATH_IMPL_H_ #include <climits> #include <cmath> #include <cstddef> #include <cstdint> #include <cstdlib> #include <limits> #include <type_traits> #include "base/numerics/checked_math.h" #include "base/numerics/safe_conversions.h" #include "base/numerics/safe_math_shared_impl.h" namespace base { namespace internal { template <typename T, typename std::enable_if<std::is_integral<T>::value && std::is_signed<T>::value>::type* = nullptr> constexpr T SaturatedNegWrapper(T value) { return MustTreatAsConstexpr(value) || !ClampedNegFastOp<T>::is_supported ? (NegateWrapper(value) != std::numeric_limits<T>::lowest() ? NegateWrapper(value) : std::numeric_limits<T>::max()) : ClampedNegFastOp<T>::Do(value); } template <typename T, typename std::enable_if<std::is_integral<T>::value && !std::is_signed<T>::value>::type* = nullptr> constexpr T SaturatedNegWrapper(T value) { return T(0); } template < typename T, typename std::enable_if<std::is_floating_point<T>::value>::type* = nullptr> constexpr T SaturatedNegWrapper(T value) { return -value; } template <typename T, typename std::enable_if<std::is_integral<T>::value>::type* = nullptr> constexpr T SaturatedAbsWrapper(T value) { // The calculation below is a static identity for unsigned types, but for // signed integer types it provides a non-branching, saturated absolute value. // This works because SafeUnsignedAbs() returns an unsigned type, which can // represent the absolute value of all negative numbers of an equal-width // integer type. The call to IsValueNegative() then detects overflow in the // special case of numeric_limits<T>::min(), by evaluating the bit pattern as // a signed integer value. If it is the overflow case, we end up subtracting // one from the unsigned result, thus saturating to numeric_limits<T>::max(). return static_cast<T>(SafeUnsignedAbs(value) - IsValueNegative<T>(SafeUnsignedAbs(value))); } template < typename T, typename std::enable_if<std::is_floating_point<T>::value>::type* = nullptr> constexpr T SaturatedAbsWrapper(T value) { return value < 0 ? -value : value; } template <typename T, typename U, class Enable = void> struct ClampedAddOp {}; template <typename T, typename U> struct ClampedAddOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { if (ClampedAddFastOp<T, U>::is_supported) return ClampedAddFastOp<T, U>::template Do<V>(x, y); static_assert(std::is_same<V, result_type>::value || IsTypeInRangeForNumericType<U, V>::value, "The saturation result cannot be determined from the " "provided types."); const V saturated = CommonMaxOrMin<V>(IsValueNegative(y)); V result = {}; return BASE_NUMERICS_LIKELY((CheckedAddOp<T, U>::Do(x, y, &result))) ? result : saturated; } }; template <typename T, typename U, class Enable = void> struct ClampedSubOp {}; template <typename T, typename U> struct ClampedSubOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { // TODO(jschuh) Make this "constexpr if" once we're C++17. if (ClampedSubFastOp<T, U>::is_supported) return ClampedSubFastOp<T, U>::template Do<V>(x, y); static_assert(std::is_same<V, result_type>::value || IsTypeInRangeForNumericType<U, V>::value, "The saturation result cannot be determined from the " "provided types."); const V saturated = CommonMaxOrMin<V>(!IsValueNegative(y)); V result = {}; return BASE_NUMERICS_LIKELY((CheckedSubOp<T, U>::Do(x, y, &result))) ? result : saturated; } }; template <typename T, typename U, class Enable = void> struct ClampedMulOp {}; template <typename T, typename U> struct ClampedMulOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { // TODO(jschuh) Make this "constexpr if" once we're C++17. if (ClampedMulFastOp<T, U>::is_supported) return ClampedMulFastOp<T, U>::template Do<V>(x, y); V result = {}; const V saturated = CommonMaxOrMin<V>(IsValueNegative(x) ^ IsValueNegative(y)); return BASE_NUMERICS_LIKELY((CheckedMulOp<T, U>::Do(x, y, &result))) ? result : saturated; } }; template <typename T, typename U, class Enable = void> struct ClampedDivOp {}; template <typename T, typename U> struct ClampedDivOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { V result = {}; if (BASE_NUMERICS_LIKELY((CheckedDivOp<T, U>::Do(x, y, &result)))) return result; // Saturation goes to max, min, or NaN (if x is zero). return x ? CommonMaxOrMin<V>(IsValueNegative(x) ^ IsValueNegative(y)) : SaturationDefaultLimits<V>::NaN(); } }; template <typename T, typename U, class Enable = void> struct ClampedModOp {}; template <typename T, typename U> struct ClampedModOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { V result = {}; return BASE_NUMERICS_LIKELY((CheckedModOp<T, U>::Do(x, y, &result))) ? result : x; } }; template <typename T, typename U, class Enable = void> struct ClampedLshOp {}; // Left shift. Non-zero values saturate in the direction of the sign. A zero // shifted by any value always results in zero. template <typename T, typename U> struct ClampedLshOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = T; template <typename V = result_type> static constexpr V Do(T x, U shift) { static_assert(!std::is_signed<U>::value, "Shift value must be unsigned."); if (BASE_NUMERICS_LIKELY(shift < std::numeric_limits<T>::digits)) { // Shift as unsigned to avoid undefined behavior. V result = static_cast<V>(as_unsigned(x) << shift); // If the shift can be reversed, we know it was valid. if (BASE_NUMERICS_LIKELY(result >> shift == x)) return result; } return x ? CommonMaxOrMin<V>(IsValueNegative(x)) : 0; } }; template <typename T, typename U, class Enable = void> struct ClampedRshOp {}; // Right shift. Negative values saturate to -1. Positive or 0 saturates to 0. template <typename T, typename U> struct ClampedRshOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = T; template <typename V = result_type> static constexpr V Do(T x, U shift) { static_assert(!std::is_signed<U>::value, "Shift value must be unsigned."); // Signed right shift is odd, because it saturates to -1 or 0. const V saturated = as_unsigned(V(0)) - IsValueNegative(x); return BASE_NUMERICS_LIKELY(shift < IntegerBitsPlusSign<T>::value) ? saturated_cast<V>(x >> shift) : saturated; } }; template <typename T, typename U, class Enable = void> struct ClampedAndOp {}; template <typename T, typename U> struct ClampedAndOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename std::make_unsigned< typename MaxExponentPromotion<T, U>::type>::type; template <typename V> static constexpr V Do(T x, U y) { return static_cast<result_type>(x) & static_cast<result_type>(y); } }; template <typename T, typename U, class Enable = void> struct ClampedOrOp {}; // For simplicity we promote to unsigned integers. template <typename T, typename U> struct ClampedOrOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename std::make_unsigned< typename MaxExponentPromotion<T, U>::type>::type; template <typename V> static constexpr V Do(T x, U y) { return static_cast<result_type>(x) | static_cast<result_type>(y); } }; template <typename T, typename U, class Enable = void> struct ClampedXorOp {}; // For simplicity we support only unsigned integers. template <typename T, typename U> struct ClampedXorOp<T, U, typename std::enable_if<std::is_integral<T>::value && std::is_integral<U>::value>::type> { using result_type = typename std::make_unsigned< typename MaxExponentPromotion<T, U>::type>::type; template <typename V> static constexpr V Do(T x, U y) { return static_cast<result_type>(x) ^ static_cast<result_type>(y); } }; template <typename T, typename U, class Enable = void> struct ClampedMaxOp {}; template <typename T, typename U> struct ClampedMaxOp< T, U, typename std::enable_if<std::is_arithmetic<T>::value && std::is_arithmetic<U>::value>::type> { using result_type = typename MaxExponentPromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { return IsGreater<T, U>::Test(x, y) ? saturated_cast<V>(x) : saturated_cast<V>(y); } }; template <typename T, typename U, class Enable = void> struct ClampedMinOp {}; template <typename T, typename U> struct ClampedMinOp< T, U, typename std::enable_if<std::is_arithmetic<T>::value && std::is_arithmetic<U>::value>::type> { using result_type = typename LowestValuePromotion<T, U>::type; template <typename V = result_type> static constexpr V Do(T x, U y) { return IsLess<T, U>::Test(x, y) ? saturated_cast<V>(x) : saturated_cast<V>(y); } }; // This is just boilerplate that wraps the standard floating point arithmetic. // A macro isn't the nicest solution, but it beats rewriting these repeatedly. #define BASE_FLOAT_ARITHMETIC_OPS(NAME, OP) \ template <typename T, typename U> \ struct Clamped##NAME##Op< \ T, U, \ typename std::enable_if<std::is_floating_point<T>::value || \ std::is_floating_point<U>::value>::type> { \ using result_type = typename MaxExponentPromotion<T, U>::type; \ template <typename V = result_type> \ static constexpr V Do(T x, U y) { \ return saturated_cast<V>(x OP y); \ } \ }; BASE_FLOAT_ARITHMETIC_OPS(Add, +) BASE_FLOAT_ARITHMETIC_OPS(Sub, -) BASE_FLOAT_ARITHMETIC_OPS(Mul, *) BASE_FLOAT_ARITHMETIC_OPS(Div, /) #undef BASE_FLOAT_ARITHMETIC_OPS } // namespace internal } // namespace base #endif // BASE_NUMERICS_CLAMPED_MATH_IMPL_H_
engine/third_party/accessibility/base/numerics/clamped_math_impl.h/0
{ "file_path": "engine/third_party/accessibility/base/numerics/clamped_math_impl.h", "repo_id": "engine", "token_count": 5936 }
418
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "string_utils.h" #include <cerrno> #include <cstddef> #include <string> #include "base/logging.h" #include "gtest/gtest.h" namespace base { TEST(StringUtilsTest, StringPrintfEmpty) { EXPECT_EQ("", base::StringPrintf("%s", "")); } TEST(StringUtilsTest, StringPrintfMisc) { EXPECT_EQ("123hello w", StringPrintf("%3d%2s %1c", 123, "hello", 'w')); } // Test that StringPrintf and StringAppendV do not change errno. TEST(StringUtilsTest, StringPrintfErrno) { errno = 1; EXPECT_EQ("", StringPrintf("%s", "")); EXPECT_EQ(1, errno); } TEST(StringUtilsTest, canASCIIToUTF16) { std::string ascii = "abcdefg"; EXPECT_EQ(ASCIIToUTF16(ascii).compare(u"abcdefg"), 0); } TEST(StringUtilsTest, canUTF8ToUTF16) { std::string utf8 = "äåè"; EXPECT_EQ(UTF8ToUTF16(utf8).compare(u"äåè"), 0); } TEST(StringUtilsTest, canUTF16ToUTF8) { std::u16string utf16 = u"äåè"; EXPECT_EQ(UTF16ToUTF8(utf16).compare("äåè"), 0); } TEST(StringUtilsTest, canNumberToString16) { EXPECT_EQ(NumberToString16(1.123f), std::u16string(u"1.123")); } TEST(StringUtilsTest, numberToStringSimplifiesOutput) { EXPECT_STREQ(NumberToString(0.0).c_str(), "0"); EXPECT_STREQ(NumberToString(0.0f).c_str(), "0"); EXPECT_STREQ(NumberToString(1.123).c_str(), "1.123"); EXPECT_STREQ(NumberToString(1.123f).c_str(), "1.123"); EXPECT_STREQ(NumberToString(-1.123).c_str(), "-1.123"); EXPECT_STREQ(NumberToString(-1.123f).c_str(), "-1.123"); EXPECT_STREQ(NumberToString(1.00001).c_str(), "1.00001"); EXPECT_STREQ(NumberToString(1.00001f).c_str(), "1.00001"); EXPECT_STREQ(NumberToString(1000.000001).c_str(), "1000.000001"); EXPECT_STREQ(NumberToString(10.00001f).c_str(), "10.00001"); EXPECT_STREQ(NumberToString(1.0 + 1e-8).c_str(), "1.00000001"); EXPECT_STREQ(NumberToString(1.0f + 1e-8f).c_str(), "1"); EXPECT_STREQ(NumberToString(1e-6).c_str(), "0.000001"); EXPECT_STREQ(NumberToString(1e-6f).c_str(), "0.000001"); EXPECT_STREQ(NumberToString(1e-8).c_str(), "1e-8"); EXPECT_STREQ(NumberToString(1e-8f).c_str(), "1e-8"); EXPECT_STREQ(NumberToString(100.0).c_str(), "100"); EXPECT_STREQ(NumberToString(100.0f).c_str(), "100"); EXPECT_STREQ(NumberToString(-1.0 - 1e-7).c_str(), "-1.0000001"); EXPECT_STREQ(NumberToString(-1.0f - 1e-7f).c_str(), "-1.0000001"); EXPECT_STREQ(NumberToString(0.00000012345678).c_str(), "1.2345678e-7"); // Difference in output is due to differences in double and float precision. EXPECT_STREQ(NumberToString(0.00000012345678f).c_str(), "1.2345679e-7"); EXPECT_STREQ(NumberToString(-0.00000012345678).c_str(), "-1.2345678e-7"); // Difference in output is due to differences in double and float precision. EXPECT_STREQ(NumberToString(-0.00000012345678f).c_str(), "-1.2345679e-7"); EXPECT_STREQ(NumberToString(static_cast<unsigned int>(11)).c_str(), "11"); EXPECT_STREQ(NumberToString(static_cast<int32_t>(-23)).c_str(), "-23"); } } // namespace base
engine/third_party/accessibility/base/string_utils_unittest.cc/0
{ "file_path": "engine/third_party/accessibility/base/string_utils_unittest.cc", "repo_id": "engine", "token_count": 1335 }
419
// Copyright 2019 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "base/win/scoped_safearray.h" #include "base/test/gtest_util.h" #include <array> #include <cstddef> #include <vector> #include "gtest/gtest.h" namespace base { namespace win { namespace { static constexpr std::array<int, 5> kInputValues = {0, 1, 2, 1, 0}; static void PopulateScopedSafearrayOfInts(ScopedSafearray& scoped_safe_array) { // TODO(crbug.com/1082005): Create a safer alternative to SAFEARRAY methods. scoped_safe_array.Reset(SafeArrayCreateVector( /*vartype=*/VT_I4, /*lower_bound=*/2, /*element_count=*/kInputValues.size())); ASSERT_NE(scoped_safe_array.Get(), nullptr); ASSERT_EQ(SafeArrayGetDim(scoped_safe_array.Get()), 1U); ASSERT_EQ(scoped_safe_array.GetCount(), kInputValues.size()); int* int_array; ASSERT_HRESULT_SUCCEEDED(SafeArrayAccessData( scoped_safe_array.Get(), reinterpret_cast<void**>(&int_array))); for (size_t i = 0; i < kInputValues.size(); ++i) int_array[i] = kInputValues[i]; ASSERT_HRESULT_SUCCEEDED(SafeArrayUnaccessData(scoped_safe_array.Get())); } } // namespace TEST(ScopedSafearrayTest, ScopedSafearrayMethods) { ScopedSafearray empty_safe_array; EXPECT_EQ(empty_safe_array.Get(), nullptr); EXPECT_EQ(empty_safe_array.Release(), nullptr); EXPECT_NE(empty_safe_array.Receive(), nullptr); SAFEARRAY* safe_array = SafeArrayCreateVector( VT_R8 /* element type */, 0 /* lower bound */, 4 /* elements */); ScopedSafearray scoped_safe_array(safe_array); EXPECT_EQ(scoped_safe_array.Get(), safe_array); EXPECT_EQ(scoped_safe_array.Release(), safe_array); EXPECT_NE(scoped_safe_array.Receive(), nullptr); // The Release() call should have set the internal pointer to nullptr EXPECT_EQ(scoped_safe_array.Get(), nullptr); scoped_safe_array.Reset(safe_array); EXPECT_EQ(scoped_safe_array.Get(), safe_array); ScopedSafearray moved_safe_array(std::move(scoped_safe_array)); EXPECT_EQ(moved_safe_array.Get(), safe_array); EXPECT_EQ(moved_safe_array.Release(), safe_array); EXPECT_NE(moved_safe_array.Receive(), nullptr); // std::move should have cleared the values of scoped_safe_array EXPECT_EQ(scoped_safe_array.Get(), nullptr); EXPECT_EQ(scoped_safe_array.Release(), nullptr); EXPECT_NE(scoped_safe_array.Receive(), nullptr); scoped_safe_array.Reset(safe_array); EXPECT_EQ(scoped_safe_array.Get(), safe_array); ScopedSafearray assigment_moved_safe_array = std::move(scoped_safe_array); EXPECT_EQ(assigment_moved_safe_array.Get(), safe_array); EXPECT_EQ(assigment_moved_safe_array.Release(), safe_array); EXPECT_NE(assigment_moved_safe_array.Receive(), nullptr); // The move-assign operator= should have cleared the values of // scoped_safe_array EXPECT_EQ(scoped_safe_array.Get(), nullptr); EXPECT_EQ(scoped_safe_array.Release(), nullptr); EXPECT_NE(scoped_safe_array.Receive(), nullptr); // Calling Receive() will free the existing reference ScopedSafearray safe_array_received(SafeArrayCreateVector( VT_R8 /* element type */, 0 /* lower bound */, 4 /* elements */)); EXPECT_NE(safe_array_received.Receive(), nullptr); EXPECT_EQ(safe_array_received.Get(), nullptr); } TEST(ScopedSafearrayTest, ScopedSafearrayMoveConstructor) { ScopedSafearray first; PopulateScopedSafearrayOfInts(first); EXPECT_NE(first.Get(), nullptr); EXPECT_EQ(first.GetCount(), kInputValues.size()); SAFEARRAY* safearray = first.Get(); ScopedSafearray second(std::move(first)); EXPECT_EQ(first.Get(), nullptr); EXPECT_EQ(second.Get(), safearray); } TEST(ScopedSafearrayTest, ScopedSafearrayMoveAssignOperator) { ScopedSafearray first, second; PopulateScopedSafearrayOfInts(first); EXPECT_NE(first.Get(), nullptr); EXPECT_EQ(first.GetCount(), kInputValues.size()); SAFEARRAY* safearray = first.Get(); second = std::move(first); EXPECT_EQ(first.Get(), nullptr); EXPECT_EQ(second.Get(), safearray); // Indirectly move |second| into itself. ScopedSafearray& reference_to_second = second; second = std::move(reference_to_second); EXPECT_EQ(second.GetCount(), kInputValues.size()); EXPECT_EQ(second.Get(), safearray); } TEST(ScopedSafearrayTest, ScopedSafearrayCast) { SAFEARRAY* safe_array = SafeArrayCreateVector( VT_R8 /* element type */, 1 /* lower bound */, 5 /* elements */); ScopedSafearray scoped_safe_array(safe_array); EXPECT_EQ(SafeArrayGetDim(scoped_safe_array.Get()), 1U); LONG lower_bound; EXPECT_HRESULT_SUCCEEDED( SafeArrayGetLBound(scoped_safe_array.Get(), 1, &lower_bound)); EXPECT_EQ(lower_bound, 1); LONG upper_bound; EXPECT_HRESULT_SUCCEEDED( SafeArrayGetUBound(scoped_safe_array.Get(), 1, &upper_bound)); EXPECT_EQ(upper_bound, 5); VARTYPE variable_type; EXPECT_HRESULT_SUCCEEDED( SafeArrayGetVartype(scoped_safe_array.Get(), &variable_type)); EXPECT_EQ(variable_type, VT_R8); } TEST(ScopedSafearrayTest, InitiallyEmpty) { ScopedSafearray empty_safe_array; EXPECT_EQ(empty_safe_array.Get(), nullptr); EXPECT_DCHECK_DEATH(empty_safe_array.GetCount()); } TEST(ScopedSafearrayTest, ScopedSafearrayGetCount) { // TODO(crbug.com/1082005): Create a safer alternative to SAFEARRAY methods. ScopedSafearray scoped_safe_array(SafeArrayCreateVector( /*vartype=*/VT_I4, /*lower_bound=*/2, /*element_count=*/5)); ASSERT_NE(scoped_safe_array.Get(), nullptr); EXPECT_EQ(SafeArrayGetDim(scoped_safe_array.Get()), 1U); LONG lower_bound; EXPECT_HRESULT_SUCCEEDED( SafeArrayGetLBound(scoped_safe_array.Get(), 1, &lower_bound)); EXPECT_EQ(lower_bound, 2); LONG upper_bound; EXPECT_HRESULT_SUCCEEDED( SafeArrayGetUBound(scoped_safe_array.Get(), 1, &upper_bound)); EXPECT_EQ(upper_bound, 6); EXPECT_EQ(scoped_safe_array.GetCount(), 5U); } TEST(ScopedSafearrayTest, ScopedSafearrayInitialLockScope) { ScopedSafearray scoped_safe_array; std::optional<ScopedSafearray::LockScope<VT_I4>> lock_scope = scoped_safe_array.CreateLockScope<VT_I4>(); EXPECT_FALSE(lock_scope.has_value()); } TEST(ScopedSafearrayTest, ScopedSafearrayLockScopeMoveConstructor) { ScopedSafearray scoped_safe_array; PopulateScopedSafearrayOfInts(scoped_safe_array); std::optional<ScopedSafearray::LockScope<VT_I4>> first = scoped_safe_array.CreateLockScope<VT_I4>(); ASSERT_TRUE(first.has_value()); EXPECT_EQ(first->Type(), VT_I4); EXPECT_EQ(first->size(), kInputValues.size()); ScopedSafearray::LockScope<VT_I4> second(std::move(*first)); EXPECT_EQ(first->Type(), VT_EMPTY); EXPECT_EQ(first->size(), 0U); EXPECT_EQ(second.Type(), VT_I4); EXPECT_EQ(second.size(), kInputValues.size()); } TEST(ScopedSafearrayTest, ScopedSafearrayLockScopeMoveAssignOperator) { ScopedSafearray scoped_safe_array; PopulateScopedSafearrayOfInts(scoped_safe_array); std::optional<ScopedSafearray::LockScope<VT_I4>> first = scoped_safe_array.CreateLockScope<VT_I4>(); ASSERT_TRUE(first.has_value()); EXPECT_EQ(first->Type(), VT_I4); EXPECT_EQ(first->size(), kInputValues.size()); ScopedSafearray::LockScope<VT_I4> second; second = std::move(*first); EXPECT_EQ(first->Type(), VT_EMPTY); EXPECT_EQ(first->size(), 0U); EXPECT_EQ(second.Type(), VT_I4); EXPECT_EQ(second.size(), kInputValues.size()); // Indirectly move |second| into itself. ScopedSafearray::LockScope<VT_I4>& reference_to_second = second; EXPECT_DCHECK_DEATH(second = std::move(reference_to_second)); } TEST(ScopedSafearrayTest, ScopedSafearrayLockScopeTypeMismatch) { ScopedSafearray scoped_safe_array; PopulateScopedSafearrayOfInts(scoped_safe_array); { std::optional<ScopedSafearray::LockScope<VT_BSTR>> invalid_lock_scope = scoped_safe_array.CreateLockScope<VT_BSTR>(); EXPECT_FALSE(invalid_lock_scope.has_value()); } { std::optional<ScopedSafearray::LockScope<VT_UI4>> invalid_lock_scope = scoped_safe_array.CreateLockScope<VT_UI4>(); EXPECT_FALSE(invalid_lock_scope.has_value()); } } TEST(ScopedSafearrayTest, ScopedSafearrayLockScopeRandomAccess) { ScopedSafearray scoped_safe_array; PopulateScopedSafearrayOfInts(scoped_safe_array); std::optional<ScopedSafearray::LockScope<VT_I4>> lock_scope = scoped_safe_array.CreateLockScope<VT_I4>(); ASSERT_TRUE(lock_scope.has_value()); EXPECT_EQ(lock_scope->Type(), VT_I4); EXPECT_EQ(lock_scope->size(), kInputValues.size()); for (size_t i = 0; i < kInputValues.size(); ++i) { EXPECT_EQ(lock_scope->at(i), kInputValues[i]); EXPECT_EQ((*lock_scope)[i], kInputValues[i]); } } TEST(ScopedSafearrayTest, ScopedSafearrayLockScopeIterator) { ScopedSafearray scoped_safe_array; PopulateScopedSafearrayOfInts(scoped_safe_array); std::optional<ScopedSafearray::LockScope<VT_I4>> lock_scope = scoped_safe_array.CreateLockScope<VT_I4>(); std::vector<int> unpacked_vector(lock_scope->begin(), lock_scope->end()); ASSERT_EQ(unpacked_vector.size(), kInputValues.size()); for (size_t i = 0; i < kInputValues.size(); ++i) EXPECT_EQ(unpacked_vector[i], kInputValues[i]); } } // namespace win } // namespace base
engine/third_party/accessibility/base/win/scoped_safearray_unittest.cc/0
{ "file_path": "engine/third_party/accessibility/base/win/scoped_safearray_unittest.cc", "repo_id": "engine", "token_count": 3641 }
420
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef UI_GFX_GEOMETRY_POINT_H_ #define UI_GFX_GEOMETRY_POINT_H_ #include <iosfwd> #include <string> #include <tuple> #include "ax_build/build_config.h" #include "base/numerics/clamped_math.h" #include "gfx/gfx_export.h" #include "vector2d.h" #if defined(OS_WIN) typedef unsigned long DWORD; typedef struct tagPOINT POINT; #elif defined(OS_APPLE) typedef struct CGPoint CGPoint; #endif namespace gfx { // A point has an x and y coordinate. class GFX_EXPORT Point { public: constexpr Point() : x_(0), y_(0) {} constexpr Point(int x, int y) : x_(x), y_(y) {} #if defined(OS_WIN) // |point| is a DWORD value that contains a coordinate. The x-coordinate is // the low-order short and the y-coordinate is the high-order short. This // value is commonly acquired from GetMessagePos/GetCursorPos. explicit Point(DWORD point); explicit Point(const POINT& point); Point& operator=(const POINT& point); #elif defined(OS_APPLE) explicit Point(const CGPoint& point); #endif #if defined(OS_WIN) POINT ToPOINT() const; #elif defined(OS_APPLE) CGPoint ToCGPoint() const; #endif constexpr int x() const { return x_; } constexpr int y() const { return y_; } void set_x(int x) { x_ = x; } void set_y(int y) { y_ = y; } void SetPoint(int x, int y) { x_ = x; y_ = y; } void Offset(int delta_x, int delta_y) { x_ = base::ClampAdd(x_, delta_x); y_ = base::ClampAdd(y_, delta_y); } void operator+=(const Vector2d& vector) { x_ = base::ClampAdd(x_, vector.x()); y_ = base::ClampAdd(y_, vector.y()); } void operator-=(const Vector2d& vector) { x_ = base::ClampSub(x_, vector.x()); y_ = base::ClampSub(y_, vector.y()); } void SetToMin(const Point& other); void SetToMax(const Point& other); bool IsOrigin() const { return x_ == 0 && y_ == 0; } Vector2d OffsetFromOrigin() const { return Vector2d(x_, y_); } // A point is less than another point if its y-value is closer // to the origin. If the y-values are the same, then point with // the x-value closer to the origin is considered less than the // other. // This comparison is required to use Point in sets, or sorted // vectors. bool operator<(const Point& rhs) const { return std::tie(y_, x_) < std::tie(rhs.y_, rhs.x_); } // Returns a string representation of point. std::string ToString() const; private: int x_; int y_; }; inline bool operator==(const Point& lhs, const Point& rhs) { return lhs.x() == rhs.x() && lhs.y() == rhs.y(); } inline bool operator!=(const Point& lhs, const Point& rhs) { return !(lhs == rhs); } inline Point operator+(const Point& lhs, const Vector2d& rhs) { Point result(lhs); result += rhs; return result; } inline Point operator-(const Point& lhs, const Vector2d& rhs) { Point result(lhs); result -= rhs; return result; } inline Vector2d operator-(const Point& lhs, const Point& rhs) { return Vector2d(base::ClampSub(lhs.x(), rhs.x()), base::ClampSub(lhs.y(), rhs.y())); } inline Point PointAtOffsetFromOrigin(const Vector2d& offset_from_origin) { return Point(offset_from_origin.x(), offset_from_origin.y()); } // This is declared here for use in gtest-based unit tests but is defined in // the //ui/gfx:test_support target. Depend on that to use this in your unit // test. This should not be used in production code - call ToString() instead. void PrintTo(const Point& point, ::std::ostream* os); // Helper methods to scale a gfx::Point to a new gfx::Point. GFX_EXPORT Point ScaleToCeiledPoint(const Point& point, float x_scale, float y_scale); GFX_EXPORT Point ScaleToCeiledPoint(const Point& point, float x_scale); GFX_EXPORT Point ScaleToFlooredPoint(const Point& point, float x_scale, float y_scale); GFX_EXPORT Point ScaleToFlooredPoint(const Point& point, float x_scale); GFX_EXPORT Point ScaleToRoundedPoint(const Point& point, float x_scale, float y_scale); GFX_EXPORT Point ScaleToRoundedPoint(const Point& point, float x_scale); } // namespace gfx #endif // UI_GFX_GEOMETRY_POINT_H_
engine/third_party/accessibility/gfx/geometry/point.h/0
{ "file_path": "engine/third_party/accessibility/gfx/geometry/point.h", "repo_id": "engine", "token_count": 1513 }
421
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef UI_GFX_GEOMETRY_SIZE_CONVERSIONS_H_ #define UI_GFX_GEOMETRY_SIZE_CONVERSIONS_H_ #include "size.h" #include "size_f.h" namespace gfx { // Returns a Size with each component from the input SizeF floored. GFX_EXPORT Size ToFlooredSize(const SizeF& size); // Returns a Size with each component from the input SizeF ceiled. GFX_EXPORT Size ToCeiledSize(const SizeF& size); // Returns a Size with each component from the input SizeF rounded. GFX_EXPORT Size ToRoundedSize(const SizeF& size); } // namespace gfx #endif // UI_GFX_GEOMETRY_SIZE_CONVERSIONS_H_
engine/third_party/accessibility/gfx/geometry/size_conversions.h/0
{ "file_path": "engine/third_party/accessibility/gfx/geometry/size_conversions.h", "repo_id": "engine", "token_count": 252 }
422
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "range.h" #include <algorithm> #include <cinttypes> #include "base/string_utils.h" namespace gfx { std::string Range::ToString() const { return base::StringPrintf("{%" PRIu32 ",%" PRIu32 "}", start(), end()); } std::ostream& operator<<(std::ostream& os, const Range& range) { return os << range.ToString(); } } // namespace gfx
engine/third_party/accessibility/gfx/range/range.cc/0
{ "file_path": "engine/third_party/accessibility/gfx/range/range.cc", "repo_id": "engine", "token_count": 174 }
423
// // Copyright (c) Meta Platforms, Inc. and affiliates. // // This source code is licensed under the MIT license found in the // LICENSE file in the root directory of this source tree. // // @flow // @format // #import "spring_animation.h" #include <Foundation/Foundation.h> @interface SpringAnimation () @property(nonatomic, assign) double zeta; @property(nonatomic, assign) double omega0; @property(nonatomic, assign) double omega1; @property(nonatomic, assign) double v0; @end // Spring code adapted from React Native's Animation Library, see: // https://github.com/facebook/react-native/blob/main/Libraries/Animated/animations/SpringAnimation.js @implementation SpringAnimation - (instancetype)initWithStiffness:(double)stiffness damping:(double)damping mass:(double)mass initialVelocity:(double)initialVelocity fromValue:(double)fromValue toValue:(double)toValue { self = [super init]; if (self) { _stiffness = stiffness; _damping = damping; _mass = mass; _initialVelocity = initialVelocity; _fromValue = fromValue; _toValue = toValue; _zeta = _damping / (2 * sqrt(_stiffness * _mass)); // Damping ratio. _omega0 = sqrt(_stiffness / _mass); // Undamped angular frequency of the oscillator. _omega1 = _omega0 * sqrt(1.0 - _zeta * _zeta); // Exponential decay. _v0 = -_initialVelocity; } return self; } - (double)curveFunction:(double)t { const double x0 = _toValue - _fromValue; double y; if (_zeta < 1) { // Under damped. const double envelope = exp(-_zeta * _omega0 * t); y = _toValue - envelope * (((_v0 + _zeta * _omega0 * x0) / _omega1) * sin(_omega1 * t) + x0 * cos(_omega1 * t)); } else { // Critically damped. const double envelope = exp(-_omega0 * t); y = _toValue - envelope * (x0 + (_v0 + _omega0 * x0) * t); } return y; } @end
engine/third_party/spring_animation/spring_animation.mm/0
{ "file_path": "engine/third_party/spring_animation/spring_animation.mm", "repo_id": "engine", "token_count": 828 }
424
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef LIB_TONIC_DART_BINDING_MACROS_H_ #define LIB_TONIC_DART_BINDING_MACROS_H_ #include "tonic/dart_args.h" #define DART_NATIVE_NO_UI_CHECK_CALLBACK(CLASS, METHOD) \ static void CLASS##_##METHOD(Dart_NativeArguments args) { \ tonic::DartCall(&CLASS::METHOD, args); \ } #define DART_NATIVE_CALLBACK(CLASS, METHOD) \ static void CLASS##_##METHOD(Dart_NativeArguments args) { \ UIDartState::ThrowIfUIOperationsProhibited(); \ tonic::DartCall(&CLASS::METHOD, args); \ } #define DART_NATIVE_CALLBACK_STATIC(CLASS, METHOD) \ static void CLASS##_##METHOD(Dart_NativeArguments args) { \ tonic::DartCallStatic(&CLASS::METHOD, args); \ } #define DART_REGISTER_NATIVE(CLASS, METHOD) \ {#CLASS "_" #METHOD, CLASS##_##METHOD, \ tonic::IndicesForSignature<decltype(&CLASS::METHOD)>::count + 1, true}, #define DART_REGISTER_NATIVE_STATIC(CLASS, METHOD) \ { \ #CLASS "_" #METHOD, CLASS##_##METHOD, \ tonic::IndicesForSignature<decltype(&CLASS::METHOD)>::count, true \ } #define DART_BIND_ALL(CLASS, FOR_EACH) \ FOR_EACH(DART_NATIVE_CALLBACK) \ void CLASS::RegisterNatives(tonic::DartLibraryNatives* natives) { \ natives->Register({FOR_EACH(DART_REGISTER_NATIVE)}); \ } #endif // LIB_TONIC_DART_BINDING_MACROS_H_
engine/third_party/tonic/dart_binding_macros.h/0
{ "file_path": "engine/third_party/tonic/dart_binding_macros.h", "repo_id": "engine", "token_count": 850 }
425
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef LIB_TONIC_DART_STATE_H_ #define LIB_TONIC_DART_STATE_H_ #include <atomic> #include <functional> #include <memory> #include "third_party/dart/runtime/include/dart_api.h" #include "tonic/common/macros.h" #include "tonic/dart_persistent_value.h" #include "tonic/scopes/dart_api_scope.h" #include "tonic/scopes/dart_isolate_scope.h" namespace tonic { class DartClassLibrary; class DartMessageHandler; class FileLoader; // DartState represents the state associated with a given Dart isolate. The // lifetime of this object is controlled by the DartVM. If you want to hold a // reference to a DartState instance, please hold a std::weak_ptr<DartState>. // // DartState is analogous to gin::PerIsolateData and JSC::ExecState. class DartState : public std::enable_shared_from_this<DartState> { public: class Scope { public: explicit Scope(DartState* dart_state); explicit Scope(std::shared_ptr<DartState> dart_state); ~Scope(); private: DartIsolateScope scope_; DartApiScope api_scope_; }; explicit DartState( int dirfd = -1, std::function<void(Dart_Handle)> message_epilogue = nullptr); virtual ~DartState(); static DartState* From(Dart_Isolate isolate); static DartState* Current(); std::weak_ptr<DartState> GetWeakPtr(); Dart_Isolate isolate() { return isolate_; } void SetIsolate(Dart_Isolate isolate); // TODO(https://github.com/flutter/flutter/issues/50997): Work around until we // drop the need for Dart_New in tonic. Dart_PersistentHandle private_constructor_name() { return private_constructor_name_.Get(); } DartClassLibrary& class_library() { return *class_library_; } DartMessageHandler& message_handler() { return *message_handler_; } FileLoader& file_loader() { return *file_loader_; } void MessageEpilogue(Dart_Handle message_result) { if (message_epilogue_) { message_epilogue_(message_result); } } void SetReturnCode(uint32_t return_code); void SetReturnCodeCallback(std::function<void(uint32_t)> callback); bool has_set_return_code() const { return has_set_return_code_; } void SetIsShuttingDown() { is_shutting_down_ = true; } bool IsShuttingDown() { return is_shutting_down_; } virtual void DidSetIsolate(); static Dart_Handle HandleLibraryTag(Dart_LibraryTag tag, Dart_Handle library, Dart_Handle url); protected: Dart_Isolate isolate() const { return isolate_; } private: Dart_Isolate isolate_; DartPersistentValue private_constructor_name_; std::unique_ptr<DartClassLibrary> class_library_; std::unique_ptr<DartMessageHandler> message_handler_; std::unique_ptr<FileLoader> file_loader_; std::function<void(Dart_Handle)> message_epilogue_; std::function<void(uint32_t)> set_return_code_callback_; bool has_set_return_code_; std::atomic<bool> is_shutting_down_; protected: TONIC_DISALLOW_COPY_AND_ASSIGN(DartState); }; } // namespace tonic #endif // LIB_TONIC_DART_STATE_H_
engine/third_party/tonic/dart_state.h/0
{ "file_path": "engine/third_party/tonic/dart_state.h", "repo_id": "engine", "token_count": 1138 }
426
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef FILESYSTEM_FILE_H_ #define FILESYSTEM_FILE_H_ #include <string> #include <vector> #include "tonic/filesystem/filesystem/eintr_wrapper.h" #include "tonic/filesystem/filesystem/portable_unistd.h" namespace filesystem { class Descriptor { public: using Handle = int; Descriptor(Handle handle) : handle_(handle) {} ~Descriptor() { if (is_valid()) { IGNORE_EINTR(::close(handle_)); } } bool is_valid() { return handle_ >= 0; } Handle get() { return handle_; } private: Handle handle_ = -1; Descriptor(Descriptor&) = delete; void operator=(const Descriptor&) = delete; }; // Reads the contents of the file at the given path or file descriptor and // stores the data in result. Returns true if the file was read successfully, // otherwise returns false. If this function returns false, |result| will be // the empty string. bool ReadFileToString(const std::string& path, std::string* result); bool ReadFileDescriptorToString(int fd, std::string* result); // Reads the contents of the file at the given path and if successful, returns // pair of read allocated bytes with data and size of the data if successful. // pair of <nullptr, -1> if read failed. std::pair<uint8_t*, intptr_t> ReadFileToBytes(const std::string& path); std::pair<uint8_t*, intptr_t> ReadFileDescriptorToBytes(int fd); } // namespace filesystem #endif // FILESYSTEM_FILE_H_
engine/third_party/tonic/filesystem/filesystem/file.h/0
{ "file_path": "engine/third_party/tonic/filesystem/filesystem/file.h", "repo_id": "engine", "token_count": 502 }
427
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // Spec: https://github.com/lrhn/dep-pkgspec/blob/master/DEP-pkgspec.md #include "tonic/parsers/packages_map.h" #include <memory> namespace tonic { namespace { bool isLineBreak(char c) { return c == '\r' || c == '\n'; } } // namespace PackagesMap::PackagesMap() {} PackagesMap::~PackagesMap() {} bool PackagesMap::Parse(const std::string& source, std::string* error) { map_.clear(); const auto end = source.end(); for (auto it = source.begin(); it != end; ++it) { const char c = *it; // Skip blank lines. if (isLineBreak(c)) continue; // Skip comments. if (c == '#') { while (it != end && !isLineBreak(*it)) ++it; continue; } if (c == ':') { map_.clear(); *error = "Packages file contains a line that begins with ':'."; return false; } auto package_name_begin = it; auto package_name_end = end; bool found_separator = false; for (; it != end; ++it) { const char c = *it; if (c == ':' && !found_separator) { found_separator = true; package_name_end = it; continue; } if (isLineBreak(c)) break; } if (!found_separator) { map_.clear(); *error = "Packages file contains non-comment line that lacks a ':'."; return false; } std::string package_name(package_name_begin, package_name_end); std::string package_path(package_name_end + 1, it); auto result = map_.emplace(package_name, package_path); if (!result.second) { map_.clear(); *error = std::string("Packages file contains multiple entries for package '") + package_name + "'."; return false; } } return true; } std::string PackagesMap::Resolve(const std::string& package_name) { return map_[package_name]; } } // namespace tonic
engine/third_party/tonic/parsers/packages_map.cc/0
{ "file_path": "engine/third_party/tonic/parsers/packages_map.cc", "repo_id": "engine", "token_count": 812 }
428
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "tonic/typed_data/typed_list.h" #include <cstring> #include "tonic/logging/dart_error.h" namespace tonic { template <Dart_TypedData_Type kTypeName, typename ElemType> TypedList<kTypeName, ElemType>::TypedList() : data_(nullptr), num_elements_(0), dart_handle_(nullptr) {} template <Dart_TypedData_Type kTypeName, typename ElemType> TypedList<kTypeName, ElemType>::TypedList(Dart_Handle list) : data_(nullptr), num_elements_(0), dart_handle_(list) { if (Dart_IsNull(list)) return; Dart_TypedData_Type type; Dart_TypedDataAcquireData(list, &type, reinterpret_cast<void**>(&data_), &num_elements_); TONIC_DCHECK(!CheckAndHandleError(list)); if (type != kTypeName) Dart_ThrowException(ToDart("Non-genuine TypedData passed to engine.")); } template <Dart_TypedData_Type kTypeName, typename ElemType> TypedList<kTypeName, ElemType>::TypedList( TypedList<kTypeName, ElemType>&& other) : data_(other.data_), num_elements_(other.num_elements_), dart_handle_(other.dart_handle_) { other.data_ = nullptr; other.num_elements_ = 0; other.dart_handle_ = nullptr; } template <Dart_TypedData_Type kTypeName, typename ElemType> TypedList<kTypeName, ElemType>::~TypedList() { Release(); } template <Dart_TypedData_Type kTypeName, typename ElemType> void TypedList<kTypeName, ElemType>::Release() { if (data_) { Dart_TypedDataReleaseData(dart_handle_); data_ = nullptr; num_elements_ = 0; dart_handle_ = nullptr; } } template <Dart_TypedData_Type kTypeName, typename ElemType> TypedList<kTypeName, ElemType> DartConverter<TypedList<kTypeName, ElemType>>::FromArguments( Dart_NativeArguments args, int index, Dart_Handle& exception) { Dart_Handle list = Dart_GetNativeArgument(args, index); TONIC_DCHECK(!CheckAndHandleError(list)); return TypedList<kTypeName, ElemType>(list); } template <Dart_TypedData_Type kTypeName, typename ElemType> void DartConverter<TypedList<kTypeName, ElemType>>::SetReturnValue( Dart_NativeArguments args, TypedList<kTypeName, ElemType> val) { Dart_Handle result = val.dart_handle(); val.Release(); // Must release acquired typed data before calling Dart API. Dart_SetReturnValue(args, result); } template <Dart_TypedData_Type kTypeName, typename ElemType> Dart_Handle DartConverter<TypedList<kTypeName, ElemType>>::ToDart( const ElemType* buffer, unsigned int length) { const intptr_t buffer_length = static_cast<intptr_t>(length); Dart_Handle array = Dart_NewTypedData(kTypeName, buffer_length); TONIC_DCHECK(!CheckAndHandleError(array)); { Dart_TypedData_Type type; void* data = nullptr; intptr_t data_length = 0; Dart_TypedDataAcquireData(array, &type, &data, &data_length); TONIC_CHECK(type == kTypeName); TONIC_CHECK(data); TONIC_CHECK(data_length == buffer_length); std::memmove(data, buffer, data_length * sizeof(ElemType)); Dart_TypedDataReleaseData(array); } return array; } #define TONIC_TYPED_DATA_DEFINE(name, type) \ template class TypedList<Dart_TypedData_k##name, type>; \ template struct DartConverter<name##List>; TONIC_TYPED_DATA_FOREACH(TONIC_TYPED_DATA_DEFINE) #undef TONIC_TYPED_DATA_DEFINE } // namespace tonic
engine/third_party/tonic/typed_data/typed_list.cc/0
{ "file_path": "engine/third_party/tonic/typed_data/typed_list.cc", "repo_id": "engine", "token_count": 1352 }
429
/* * Copyright 2018 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ #include <algorithm> #include <string> #include "txt/font_asset_provider.h" namespace txt { // Return a canonicalized version of a family name that is suitable for // matching. std::string FontAssetProvider::CanonicalFamilyName(std::string family_name) { std::string result(family_name.length(), 0); // Convert ASCII characters to lower case. std::transform(family_name.begin(), family_name.end(), result.begin(), [](char c) { return (c & 0x80) ? c : ::tolower(c); }); return result; } } // namespace txt
engine/third_party/txt/src/txt/font_asset_provider.cc/0
{ "file_path": "engine/third_party/txt/src/txt/font_asset_provider.cc", "repo_id": "engine", "token_count": 338 }
430
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "txt/platform.h" #if defined(SK_FONTMGR_FREETYPE_EMPTY_AVAILABLE) #include "third_party/skia/include/ports/SkFontMgr_empty.h" #endif namespace txt { std::vector<std::string> GetDefaultFontFamilies() { return {"Arial"}; } sk_sp<SkFontMgr> GetDefaultFontManager(uint32_t font_initialization_data) { #if defined(SK_FONTMGR_FREETYPE_EMPTY_AVAILABLE) static sk_sp<SkFontMgr> mgr = SkFontMgr_New_Custom_Empty(); #else static sk_sp<SkFontMgr> mgr = SkFontMgr::RefEmpty(); #endif return mgr; } } // namespace txt
engine/third_party/txt/src/txt/platform.cc/0
{ "file_path": "engine/third_party/txt/src/txt/platform.cc", "repo_id": "engine", "token_count": 266 }
431
/* * Copyright 2017 Google, Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ #include "text_style.h" #include "font_style.h" #include "font_weight.h" #include "third_party/skia/include/core/SkColor.h" #include "txt/platform.h" namespace txt { TextStyle::TextStyle() : font_families(GetDefaultFontFamilies()) {} bool TextStyle::equals(const TextStyle& other) const { if (color != other.color) return false; if (decoration != other.decoration) return false; if (decoration_color != other.decoration_color) return false; if (decoration_style != other.decoration_style) return false; if (decoration_thickness_multiplier != other.decoration_thickness_multiplier) return false; if (font_weight != other.font_weight) return false; if (font_style != other.font_style) return false; if (letter_spacing != other.letter_spacing) return false; if (word_spacing != other.word_spacing) return false; if (height != other.height) return false; if (has_height_override != other.has_height_override) return false; if (half_leading != other.half_leading) return false; if (locale != other.locale) return false; if (foreground != other.foreground) return false; if (font_families.size() != other.font_families.size()) return false; if (text_shadows.size() != other.text_shadows.size()) return false; for (size_t font_index = 0; font_index < font_families.size(); ++font_index) { if (font_families[font_index] != other.font_families[font_index]) return false; } for (size_t shadow_index = 0; shadow_index < text_shadows.size(); ++shadow_index) { if (text_shadows[shadow_index] != other.text_shadows[shadow_index]) return false; } return true; } } // namespace txt
engine/third_party/txt/src/txt/text_style.cc/0
{ "file_path": "engine/third_party/txt/src/txt/text_style.cc", "repo_id": "engine", "token_count": 785 }
432
## Usage ## To generate code for line/word break properties, follow these steps: ### 1. **<u>Download the unicode files:</u>** The properties files can be found on the unicode.org website, for example [LineBreak.txt](https://www.unicode.org/Public/13.0.0/ucd/LineBreak.txt) and [WordBreakProperty.txt](https://www.unicode.org/Public/13.0.0/ucd/auxiliary/WordBreakProperty.txt). The codegen script expects the files to be located at `third_party/web_unicode/properties/`. ### 2. **<u>Run the codegen script:</u>** Inside the `third_party/web_unicode` directory: ``` dart tool/unicode_sync_script.dart ``` ## Check Mode ## If you don't want to generate code, but you want to make sure that the properties files and the codegen files are still in sync, you can run the codegen script in "check mode". Inside the `third_party/web_unicode` directory: ``` dart tool/unicode_sync_script.dart --check ``` This command won't overwite the existing codegen files. It only checks whether they are still in sync with the properties files or not. If not, it exits with a non-zero exit code.
engine/third_party/web_unicode/README.md/0
{ "file_path": "engine/third_party/web_unicode/README.md", "repo_id": "engine", "token_count": 334 }
433
#!/bin/bash # This script requires depot_tools to be on path. print_usage () { echo "Usage:" echo " ./create_cipd_packages.sh <VERSION_TAG> [PATH_TO_SDK_DIR]" echo " Downloads, packages, and uploads Android SDK packages where:" echo " - VERSION_TAG is the tag of the cipd packages, e.g. 28r6 or 31v1. Must contain" echo " only lowercase letters and numbers." echo " - PATH_TO_SDK_DIR is the path to the sdk folder. If omitted, this defaults to" echo " your ANDROID_SDK_ROOT environment variable." echo " ./create_cipd_packages.sh list" echo " Lists the available packages for use in 'packages.txt'" echo "" echo "This script downloads the packages specified in packages.txt and uploads" echo "them to CIPD for linux, mac, and windows." echo "To confirm you have write permissions run 'cipd acl-check flutter/android/sdk/all/ -writer'." echo "" echo "Manage the packages to download in 'packages.txt'. You can use" echo "'sdkmanager --list --include_obsolete' in cmdline-tools to list all available packages." echo "Packages should be listed in the format of <package-name>:<directory-to-upload>." echo "For example, build-tools;31.0.0:build-tools" echo "Multiple directories to upload can be specified by delimiting by additional ':'" echo "" echo "This script expects the cmdline-tools to be installed in your specified PATH_TO_SDK_DIR" echo "and should only be run on linux or macos hosts." } first_argument=$1 # Validate version or argument is provided. if [[ $first_argument == "" ]]; then print_usage exit 1 fi # Validate version contains only lower case letters and numbers. if ! [[ $first_argument =~ ^[[:lower:][:digit:]]+$ ]]; then echo "Version tag can only consist of lower case letters and digits."; print_usage exit 1 fi # Validate environment has cipd installed. if [[ `which cipd` == "" ]]; then echo "'cipd' command not found. depot_tools should be on the path." exit 1 fi sdk_path=${2:-$ANDROID_SDK_ROOT} # Validate directory contains all SDK packages if [[ ! -d "$sdk_path" ]]; then echo "Android SDK at '$sdk_path' not found." print_usage exit 1 fi # Validate caller has cipd. if [[ ! -d "$sdk_path/cmdline-tools" ]]; then echo "SDK directory does not contain $sdk_path/cmdline-tools." print_usage exit 1 fi platforms=("linux" "macosx" "windows") package_file_name="packages.txt" # Find the sdkmanager in cmdline-tools. We default to using latest if available. sdkmanager_path="$sdk_path/cmdline-tools/latest/bin/sdkmanager" find_results=() while IFS= read -r line; do find_results+=("$line") done < <(find "$sdk_path/cmdline-tools" -name sdkmanager) i=0 while [ ! -f "$sdkmanager_path" ]; do if [ $i -ge ${#find_results[@]} ]; then echo "Unable to find sdkmanager in the SDK directory. Please ensure cmdline-tools is installed." exit 1 fi sdkmanager_path="${find_results[$i]}" echo $sdkmanager_path ((i++)) done # list available packages if [ $first_argument == "list" ]; then $sdkmanager_path --list --include_obsolete exit 0 fi # We create a new temporary SDK directory because the default working directory # tends to not update/re-download packages if they are being used. This guarantees # a clean install of Android SDK. temp_dir=`mktemp -d -t android_sdkXXXX` for platform in "${platforms[@]}"; do sdk_root="$temp_dir/sdk_$platform" upload_dir="$temp_dir/upload_$platform" echo "Creating temporary working directory for $platform: $sdk_root" mkdir $sdk_root mkdir $upload_dir mkdir $upload_dir/sdk export REPO_OS_OVERRIDE=$platform # Download all the packages with sdkmanager. for package in $(cat $package_file_name); do echo $package split=(${package//:/ }) echo "Installing ${split[0]}" yes "y" | $sdkmanager_path --sdk_root=$sdk_root ${split[0]} # We copy only the relevant directories to a temporary dir # for upload. sdkmanager creates extra files that we don't need. array_length=${#split[@]} for (( i=1; i<${array_length}; i++ )); do cp -r "$sdk_root/${split[$i]}" "$upload_dir/sdk" done done # Special treatment for NDK to move to expected directory. # Instead of the ndk being in `sdk/ndk/<major>.<minor>.<patch>/`, it will be # in `ndk/`. # This simplifies the build scripts, and enables version difference between # the Dart and Flutter build while reusing the same build rules. # See https://github.com/flutter/flutter/issues/136666#issuecomment-1805467578 mv $upload_dir/sdk/ndk $upload_dir/ndk-bundle ndk_sub_paths=`find $upload_dir/ndk-bundle -maxdepth 1 -type d` ndk_sub_paths_arr=($ndk_sub_paths) mv ${ndk_sub_paths_arr[1]} $upload_dir/ndk rm -rf $upload_dir/ndk-bundle if [[ ! -d "$upload_dir/ndk" ]]; then echo "Failure to bundle ndk for platform" exit 1 fi # Accept all licenses to ensure they are generated and uploaded. yes "y" | $sdkmanager_path --licenses --sdk_root=$sdk_root cp -r "$sdk_root/licenses" "$upload_dir/sdk" archs=("amd64") if [[ $platform == "macosx" ]]; then # Upload an arm64 version for M1 macs archs=("amd64" "arm64") fi for arch in "${archs[@]}"; do # Mac uses a different sdkmanager name than the platform name used in gn. cipd_name="$platform-$arch" if [[ $platform == "macosx" ]]; then cipd_name="mac-$arch" fi echo "Uploading $upload_dir as $cipd_name to CIPD" cipd create -in $upload_dir -name "flutter/android/sdk/all/$cipd_name" -install-mode copy -tag version:$first_argument done rm -rf $sdk_root rm -rf $upload_dir # This variable changes the behvaior of sdkmanager. # Unset to clean up after script. unset REPO_OS_OVERRIDE done rm -rf $temp_dir
engine/tools/android_sdk/create_cipd_packages.sh/0
{ "file_path": "engine/tools/android_sdk/create_cipd_packages.sh", "repo_id": "engine", "token_count": 2047 }
434
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // To use, run: // $ gradle updateDependencies // // This script downloads the embedding dependencies into a lib/ directory, // extract jar files from AARs, so they can be used in gn. buildscript { repositories { google() mavenCentral() } dependencies { classpath "com.android.tools.build:gradle:3.5.0" } } plugins { id "com.github.hierynomus.license-report" version "0.16.1" } def destinationDir = "lib" allprojects { repositories { google() mavenCentral() } } apply plugin: "com.android.application" android { compileSdkVersion 34 } configurations { embedding } println project.buildDir // Configure the embedding dependencies. // NB: '../../androidx/configure.gradle' is expected to resolve to the path // 'src/flutter/tools/androidx', and '../../..' is expected to resolve to the // path 'src/flutter'. apply from: new File(rootDir, '../../androidx/configure.gradle').absolutePath; configureEmbedderDependencies(new File(rootDir, '../../..')) { dependency -> dependencies { embedding "$dependency" } } task updateDependencies() { delete destinationDir // Copy the dependencies from the compileOnly configuration into // the destination directory. copy { from configurations.embedding into destinationDir } doLast { // Extract classes.jar from aar and rename it as the dependency name .jar // since javac doesn't support AARs. fileTree(destinationDir) .filter { it.name.endsWith(".aar") } .collect { aarDependency -> def dependencyName = "${aarDependency.name.take(aarDependency.name.lastIndexOf('.'))}"; copy { into destinationDir from(zipTree(aarDependency)) { include "classes.jar" } rename "classes.jar", "${dependencyName}.jar" } delete aarDependency } } doLast { fileTree(destinationDir) .collect { dependency -> println "\"//third_party/robolectric/lib/${dependency.name}\"," } } } downloadLicenses { ext.apacheTwo = license( 'The Apache License, Version 2.0', 'http://www.apache.org/licenses/LICENSE-2.0.txt', ) aliases = [ (apacheTwo) : [ 'The Apache Software License, Version 2.0', 'Apache 2', 'Apache License Version 2.0', 'Apache License, Version 2.0', 'Apache License 2.0', license('Apache License', 'http://www.apache.org/licenses/LICENSE-2.0'), license('Apache License, Version 2.0', 'http://opensource.org/licenses/Apache-2.0'), ], ] dependencyConfiguration = 'embedding' }
engine/tools/cipd/android_embedding_bundle/build.gradle/0
{ "file_path": "engine/tools/cipd/android_embedding_bundle/build.gradle", "repo_id": "engine", "token_count": 1053 }
435
# Compare Goldens This is a script that will let you check golden image diffs locally. The directories are scanned for png files that match in name, then the diff is written to `diff_<name of file>` in the CWD. This allows you to get results quicker than having to upload to skia gold. By default it uses fuzzy RMSE to compare. ## Usage ```sh dart run compare_goldens <dir path> <dir path> ``` Here's the steps for using this with something like impeller golden tests: 1) Checkout a base revision 2) Build impeller_golden_tests 3) Execute `impeller_golden_tests --working_dir=\<path a\> 4) Checkout test revision 5) Build impeller_golden_tests 6) Execute `impeller_golden_tests --working_dir=\<path b\> 7) Execute `compare_goldens \<path a\> \<path b\> ## Requirements - ImageMagick is installed on $PATH ## Testing To run the tests: ```sh dart pub get find . -name "*_test.dart" | xargs -n 1 dart --enable-asserts ```
engine/tools/compare_goldens/README.md/0
{ "file_path": "engine/tools/compare_goldens/README.md", "repo_id": "engine", "token_count": 305 }
436
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: prefer_const_constructors, unused_local_variable, depend_on_referenced_packages import 'dart:core'; import 'package:const_finder_fixtures_package/package.dart'; import 'target.dart'; void main() { const Target target1 = Target('1', 1, null); final Target target2 = Target('2', 2, const Target('4', 4, null)); final Target target3 = Target('3', 3, Target('5', 5, null)); // should be tree shaken out. final Target target6 = Target('6', 6, null); // should be tree shaken out. target1.hit(); target2.hit(); blah(const Target('6', 6, null)); const IgnoreMe ignoreMe = IgnoreMe(Target('7', 7, null)); // IgnoreMe is ignored but 7 is not. final IgnoreMe ignoreMe2 = IgnoreMe(const Target('8', 8, null)); final IgnoreMe ignoreMe3 = IgnoreMe(const Target('9', 9, Target('10', 10, null))); print(ignoreMe); print(ignoreMe2); print(ignoreMe3); createNonConstTargetInPackage(); } class IgnoreMe { const IgnoreMe(this.target); final Target target; @override String toString() => target.toString(); } void blah(Target target) { print(target); }
engine/tools/const_finder/test/fixtures/lib/consts_and_non.dart/0
{ "file_path": "engine/tools/const_finder/test/fixtures/lib/consts_and_non.dart", "repo_id": "engine", "token_count": 399 }
437
#!/usr/bin/env python3 # Copyright 2013 The Flutter Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. # The return code of this script will always be 0, even if there is an error, # unless the --fail-loudly flag is passed. import argparse import tarfile import json import os import shutil import subprocess import sys SRC_ROOT = os.path.dirname(os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) FUCHSIA_SDK_DIR = os.path.join(SRC_ROOT, 'fuchsia', 'sdk') FLUTTER_DIR = os.path.join(SRC_ROOT, 'flutter') # Prints to stderr. def eprint(*args, **kwargs): print(*args, file=sys.stderr, **kwargs) def FileNameForSdkPath(sdk_path): return sdk_path.split('/')[-1] def DownloadFuchsiaSDKFromGCS(sdk_path, verbose): file = FileNameForSdkPath(sdk_path) url = 'https://storage.googleapis.com/fuchsia-artifacts/{}'.format(sdk_path) dest = os.path.join(FUCHSIA_SDK_DIR, file) if verbose: print('Fuchsia SDK url: "%s"' % url) print('Fuchsia SDK destination path: "%s"' % dest) if os.path.isfile(dest): os.unlink(dest) # Ensure destination folder exists. os.makedirs(FUCHSIA_SDK_DIR, exist_ok=True) curl_command = [ 'curl', '--retry', '3', '--continue-at', '-', '--location', '--output', dest, url, ] if verbose: print('Running: "%s"' % (' '.join(curl_command))) curl_result = subprocess.run( curl_command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, universal_newlines=True, ) if curl_result.returncode == 0 and verbose: print('curl output:stdout:\n{}\nstderr:\n{}'.format( curl_result.stdout, curl_result.stderr, )) elif curl_result.returncode != 0: eprint( 'Failed to download: stdout:\n{}\nstderr:\n{}'.format( curl_result.stdout, curl_result.stderr, ) ) return None return dest def OnErrorRmTree(func, path, exc_info): """ Error handler for ``shutil.rmtree``. If the error is due to an access error (read only file) it attempts to add write permission and then retries. If the error is for another reason it re-raises the error. Usage : ``shutil.rmtree(path, onerror=onerror)`` """ import stat # Is the error an access error? if not os.access(path, os.W_OK): os.chmod(path, stat.S_IWUSR) func(path) else: raise def ExtractGzipArchive(archive, host_os, verbose): sdk_dest = os.path.join(FUCHSIA_SDK_DIR, host_os) if os.path.isdir(sdk_dest): shutil.rmtree(sdk_dest, onerror=OnErrorRmTree) extract_dest = os.path.join(FUCHSIA_SDK_DIR, 'temp') if os.path.isdir(extract_dest): shutil.rmtree(extract_dest, onerror=OnErrorRmTree) os.makedirs(extract_dest, exist_ok=True) if verbose: print('Extracting "%s" to "%s"' % (archive, extract_dest)) with tarfile.open(archive, 'r') as z: z.extractall(extract_dest) shutil.move(extract_dest, sdk_dest) def Main(): parser = argparse.ArgumentParser() parser.add_argument( '--fail-loudly', action='store_true', default=False, help="Return an error code if a prebuilt couldn't be fetched and extracted" ) parser.add_argument( '--verbose', action='store_true', default='LUCI_CONTEXT' in os.environ, help='Emit verbose output' ) parser.add_argument('--host-os', help='The host os') parser.add_argument('--fuchsia-sdk-path', help='The path in gcs to the fuchsia sdk to download') args = parser.parse_args() fail_loudly = 1 if args.fail_loudly else 0 verbose = args.verbose host_os = args.host_os fuchsia_sdk_path = args.fuchsia_sdk_path if fuchsia_sdk_path is None: eprint('sdk_path can not be empty') return fail_loudly archive = DownloadFuchsiaSDKFromGCS(fuchsia_sdk_path, verbose) if archive is None: eprint('Failed to download SDK from %s' % fuchsia_sdk_path) return fail_loudly ExtractGzipArchive(archive, host_os, verbose) success = True return 0 if success else fail_loudly if __name__ == '__main__': sys.exit(Main())
engine/tools/download_fuchsia_sdk.py/0
{ "file_path": "engine/tools/download_fuchsia_sdk.py", "repo_id": "engine", "token_count": 1713 }
438
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:io' as io; import 'package:process_runner/process_runner.dart'; import 'environment.dart'; import 'logger.dart'; /// Update Flutter engine dependencies. Returns an exit code. Future<int> fetchDependencies( Environment environment, { bool verbose = false, }) async { if (!environment.processRunner.processManager.canRun('gclient')) { environment.logger.error('Cannot find the gclient command in your path'); return 1; } environment.logger.status('Fetching dependencies... ', newline: verbose); Spinner? spinner; ProcessRunnerResult result; try { if (!verbose) { spinner = environment.logger.startSpinner(); } result = await environment.processRunner.runProcess( <String>[ 'gclient', 'sync', '-D', ], runInShell: true, startMode: verbose ? io.ProcessStartMode.inheritStdio : io.ProcessStartMode.normal, ); } finally { spinner?.finish(); } if (result.exitCode != 0) { environment.logger.error('Fetching dependencies failed.'); // Verbose mode already logged output by making the child process inherit // this process's stdio handles. if (!verbose) { environment.logger.error('Output:\n${result.output}'); } } return result.exitCode; }
engine/tools/engine_tool/lib/src/dependencies.dart/0
{ "file_path": "engine/tools/engine_tool/lib/src/dependencies.dart", "repo_id": "engine", "token_count": 515 }
439
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:convert' as convert; import 'dart:ffi' as ffi show Abi; import 'dart:io' as io; import 'package:engine_build_configs/engine_build_configs.dart'; import 'package:engine_repo_tools/engine_repo_tools.dart'; import 'package:engine_tool/src/commands/command_runner.dart'; import 'package:engine_tool/src/environment.dart'; import 'package:engine_tool/src/logger.dart'; import 'package:litetest/litetest.dart'; import 'package:logging/logging.dart' as log; import 'package:platform/platform.dart'; import 'package:process_fakes/process_fakes.dart'; import 'package:process_runner/process_runner.dart'; import 'fixtures.dart' as fixtures; void main() { final Engine engine; try { engine = Engine.findWithin(); } catch (e) { io.stderr.writeln(e); io.exitCode = 1; return; } final BuilderConfig linuxTestConfig = BuilderConfig.fromJson( path: 'ci/builders/linux_test_config.json', map: convert.jsonDecode(fixtures.testConfig('Linux')) as Map<String, Object?>, ); final BuilderConfig macTestConfig = BuilderConfig.fromJson( path: 'ci/builders/mac_test_config.json', map: convert.jsonDecode(fixtures.testConfig('Mac-12')) as Map<String, Object?>, ); final BuilderConfig winTestConfig = BuilderConfig.fromJson( path: 'ci/builders/win_test_config.json', map: convert.jsonDecode(fixtures.testConfig('Windows-11')) as Map<String, Object?>, ); final Map<String, BuilderConfig> configs = <String, BuilderConfig>{ 'linux_test_config': linuxTestConfig, 'linux_test_config2': linuxTestConfig, 'mac_test_config': macTestConfig, 'win_test_config': winTestConfig, }; Environment linuxEnv(Logger logger) { return Environment( abi: ffi.Abi.linuxX64, engine: engine, platform: FakePlatform( operatingSystem: Platform.linux, resolvedExecutable: io.Platform.resolvedExecutable), processRunner: ProcessRunner( processManager: FakeProcessManager(), ), logger: logger, ); } List<String> stringsFromLogs(List<log.LogRecord> logs) { return logs.map((log.LogRecord r) => r.message).toList(); } test('query command returns builds for the host platform.', () async { final Logger logger = Logger.test(); final Environment env = linuxEnv(logger); final ToolCommandRunner runner = ToolCommandRunner( environment: env, configs: configs, ); final int result = await runner.run(<String>[ 'query', 'builders', ]); expect(result, equals(0)); expect( stringsFromLogs(logger.testLogs), equals(<String>[ 'Add --verbose to see detailed information about each builder\n', '\n', '"linux_test_config" builder:\n', ' "build_name" config\n', ' "host_debug" config\n', ' "android_debug_arm64" config\n', ' "android_debug_rbe_arm64" config\n', '"linux_test_config2" builder:\n', ' "build_name" config\n', ' "host_debug" config\n', ' "android_debug_arm64" config\n', ' "android_debug_rbe_arm64" config\n', ]), ); }); test('query command with --builder returns only from the named builder.', () async { final Logger logger = Logger.test(); final Environment env = linuxEnv(logger); final ToolCommandRunner runner = ToolCommandRunner( environment: env, configs: configs, ); final int result = await runner.run(<String>[ 'query', 'builders', '--builder', 'linux_test_config', ]); expect(result, equals(0)); expect( stringsFromLogs(logger.testLogs), equals(<String>[ 'Add --verbose to see detailed information about each builder\n', '\n', '"linux_test_config" builder:\n', ' "build_name" config\n', ' "host_debug" config\n', ' "android_debug_arm64" config\n', ' "android_debug_rbe_arm64" config\n', ])); }); test('query command with --all returns all builds.', () async { final Logger logger = Logger.test(); final Environment env = linuxEnv(logger); final ToolCommandRunner runner = ToolCommandRunner( environment: env, configs: configs, ); final int result = await runner.run(<String>[ 'query', 'builders', '--all', ]); expect(result, equals(0)); expect( logger.testLogs.length, equals(30), ); }); }
engine/tools/engine_tool/test/query_command_test.dart/0
{ "file_path": "engine/tools/engine_tool/test/query_command_test.dart", "repo_id": "engine", "token_count": 1867 }
440
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include <hb-subset.h> #include <cstdlib> #include <fstream> #include <iostream> #include <limits> #include <set> #include <string> #include "hb_wrappers.h" hb_codepoint_t ParseCodepoint(std::string_view arg, bool& optional) { constexpr std::string_view kOptionalPrefix = "optional:"; if (arg.substr(0, kOptionalPrefix.length()) == kOptionalPrefix) { optional = true; arg = arg.substr(kOptionalPrefix.length()); } else { optional = false; } uint64_t value = 0; // Check for \u123, u123, otherwise let strtoul work it out. if (arg[0] == 'u') { value = strtoul(arg.data() + 1, nullptr, 16); } else if (arg[0] == '\\' && arg[1] == 'u') { value = strtoul(arg.data() + 2, nullptr, 16); } else { value = strtoul(arg.data(), nullptr, 0); } if (value == 0 || value > std::numeric_limits<hb_codepoint_t>::max()) { std::cerr << "The value '" << arg << "' (" << value << ") could not be parsed as a valid unicode codepoint; aborting." << std::endl; exit(-1); } return value; } void Usage() { std::cout << "Usage:" << std::endl; std::cout << "font-subset <output.ttf> <input.ttf>" << std::endl; std::cout << std::endl; std::cout << "The output.ttf file will be overwritten if it exists already " "and the subsetting operation succeeds." << std::endl; std::cout << "Codepoints should be specified on stdin, separated by spaces, " "and must be input as decimal numbers (123), hexadecimal " "numbers (0x7B), or unicode hexadecimal characters (\\u7B)." << std::endl; std::cout << "Codepoints can be prefixed by the string \"optional:\" to " "specify that the codepoint can be omitted if it isn't found " "in the input font file." << std::endl; std::cout << "Input terminates with a newline." << std::endl; std::cout << "This program will de-duplicate codepoints if the same codepoint is " "specified multiple times, e.g. '123 123' will be treated as '123'." << std::endl; } template <typename...> using void_t = void; template <typename T, typename = void> struct HarfBuzzSubset { // This is the HarfBuzz 3.0 interface. static HarfbuzzWrappers::HbFacePtr Make(hb_face_t* face, T input) { // The prior version of harfbuzz automatically dropped layout tables, // but in the new version they are kept by default. So re-add them to the // drop list to retain the same behaviour. if (!hb_ot_var_has_data(face) || hb_ot_var_get_axis_count(face) == 0) { // we can only drop GSUB/GPOS/GDEF for non variable fonts, they may be // needed for variable fonts (guessing we need to keep all of these, but // in Material Symbols Icon variable fonts if we drop the GSUB table (they // do not have GPOS/DEF) then the Fill=1,Weight=100 variation is rendered // incorrect. (and other variations are probably less noticibly // incorrect)) hb_set_add(hb_subset_input_set(input, HB_SUBSET_SETS_DROP_TABLE_TAG), HB_TAG('G', 'S', 'U', 'B')); hb_set_add(hb_subset_input_set(input, HB_SUBSET_SETS_DROP_TABLE_TAG), HB_TAG('G', 'P', 'O', 'S')); hb_set_add(hb_subset_input_set(input, HB_SUBSET_SETS_DROP_TABLE_TAG), HB_TAG('G', 'D', 'E', 'F')); } return HarfbuzzWrappers::HbFacePtr(hb_subset_or_fail(face, input)); } }; int main(int argc, char** argv) { if (argc != 3) { Usage(); return -1; } std::string output_file_path(argv[1]); std::string input_file_path(argv[2]); std::cout << "Using output file: " << output_file_path << std::endl; std::cout << "Using source file: " << input_file_path << std::endl; HarfbuzzWrappers::HbBlobPtr font_blob( hb_blob_create_from_file(input_file_path.c_str())); if (!hb_blob_get_length(font_blob.get())) { std::cerr << "Failed to load input font " << input_file_path << "; aborting. This error indicates that the font is invalid or " "the current version of Harfbuzz is unable to process it." << std::endl; return -1; } HarfbuzzWrappers::HbFacePtr font_face(hb_face_create(font_blob.get(), 0)); if (font_face.get() == hb_face_get_empty()) { std::cerr << "Failed to load input font face " << input_file_path << "; aborting. This error indicates that the font is invalid or " "the current version of Harfbuzz is unable to process it." << std::endl; return -1; } HarfbuzzWrappers::HbSubsetInputPtr input(hb_subset_input_create_or_fail()); { hb_set_t* desired_codepoints = hb_subset_input_unicode_set(input.get()); HarfbuzzWrappers::HbSetPtr actual_codepoints(hb_set_create()); hb_face_collect_unicodes(font_face.get(), actual_codepoints.get()); std::string raw_codepoint; while (std::cin >> raw_codepoint) { bool optional = false; auto codepoint = ParseCodepoint(std::string_view(raw_codepoint), optional); if (!codepoint) { std::cerr << "Invalid codepoint for " << raw_codepoint << "; exiting." << std::endl; return -1; } if (!hb_set_has(actual_codepoints.get(), codepoint)) { if (optional) { // Code point is optional, so omit it. continue; } std::cerr << "Codepoint " << raw_codepoint << " not found in font, aborting." << std::endl; return -1; } hb_set_add(desired_codepoints, codepoint); } if (hb_set_is_empty(desired_codepoints)) { std::cerr << "No codepoints specified, exiting." << std::endl; return -1; } } HarfbuzzWrappers::HbFacePtr new_face = HarfBuzzSubset<hb_subset_input_t*>::Make(font_face.get(), input.get()); if (!new_face || new_face.get() == hb_face_get_empty()) { std::cerr << "Failed to subset font; aborting. This error normally indicates " "the current version of Harfbuzz is unable to process it." << std::endl; return -1; } HarfbuzzWrappers::HbBlobPtr result(hb_face_reference_blob(new_face.get())); if (!hb_blob_get_length(result.get())) { std::cerr << "Failed get new font bytes; aborting. This error may indicate " "low availability of memory or a bug in Harfbuzz." << std::endl; return -1; } unsigned int data_length; const char* data = hb_blob_get_data(result.get(), &data_length); std::ofstream output_font_file; output_font_file.open(output_file_path, std::ios::out | std::ios::trunc | std::ios::binary); if (!output_font_file.is_open()) { std::cerr << "Failed to open output file '" << output_file_path << "'. The parent directory may not exist, or the user does not " "have permission to create this file." << std::endl; return -1; } output_font_file.write(data, data_length); output_font_file.flush(); output_font_file.close(); std::cout << "Wrote " << data_length << " bytes to " << output_file_path << std::endl; return 0; }
engine/tools/font_subset/main.cc/0
{ "file_path": "engine/tools/font_subset/main.cc", "repo_id": "engine", "token_count": 3125 }
441
# Copyright 2013 The Flutter Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. import("//flutter/tools/fuchsia/dart/dart_library.gni") import("//flutter/tools/fuchsia/dart/dart_package_config.gni") import("//flutter/tools/fuchsia/dart/toolchain.gni") # Wraps a dart snapshot in a script to be invoked by dart # # Parameters # # dart (required) # The path to the dart binary # # snapshot (required) # The path to the dart snapshot # # deps (optional) # Dependencies of this application # # output_name (optional) # Name of the output file to generate. Defaults to $target_name. template("_dart_snapshot_invocation") { assert(defined(invoker.dart), "Must specify the path to the dart binary") assert(defined(invoker.snapshot), "Must specify the path to the dart snapshot") if (defined(invoker.output_name)) { app_name = invoker.output_name } else { app_name = target_name } # Builds a convenience script to invoke the app. action(target_name) { forward_variables_from(invoker, [ "testonly", "deps", ]) script = "//flutter/tools/fuchsia/dart/gen_app_invocation.py" app_path = "$root_out_dir/dart-tools/$app_name" dart_binary = invoker.dart snapshot = invoker.snapshot inputs = [ dart_binary, snapshot, ] outputs = [ app_path ] args = [ "--out", rebase_path(app_path, root_build_dir), # `--dart` and `--snapshot` are used in the output app script, use # absolute path so the script would work regardless where it's invoked. "--dart", rebase_path(dart_binary), "--snapshot", rebase_path(snapshot), ] metadata = { # Record metadata for the //:tool_paths build API. tool_paths = [ { cpu = current_cpu label = get_label_info(":$target_name", "label_with_toolchain") name = app_name os = current_os path = rebase_path(app_path, root_build_dir) }, ] snapshot_path = [ rebase_path(snapshot, root_build_dir) ] } } } # Defines a Dart application that can be run on the host which is # compiled from an existing snapshot # # Parameters # # snapshot (required) # The path to the dart snapshot # # deps (optional) # Dependencies of this application # # output_name (optional) # Name of the output file to generate. Defaults to $target_name. template("dart_prebuilt_tool") { assert(defined(invoker.snapshot), "Must specify the path to the dart snapshot") _dart_snapshot_invocation(target_name) { dart = prebuilt_dart forward_variables_from(invoker, "*") } }
engine/tools/fuchsia/dart/dart_tool.gni/0
{ "file_path": "engine/tools/fuchsia/dart/dart_tool.gni", "repo_id": "engine", "token_count": 1171 }
442
#!/bin/bash # Copyright 2013 The Flutter Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. ### Runs a Fuchsia integration test from shell/platform/fuchsia/flutter/tests/integration. ### ### Usage: ### $ENGINE_DIR/flutter/tools/fuchsia/devshell/run_integration_test <integration_test_folder_name> ### ### Arguments: ### --skip-fuchsia-build: Skips configuring and building Fuchsia for the test. ### --skip-fuchsia-emu: Skips starting the Fuchsia emulator for the test. ### --runtime-mode: The runtime mode to build Flutter in. ### Valid values: [debug, profile, release] ### Default value: debug ### --fuchsia-cpu: The architecture of the Fuchsia device to target. ### Valid values: [x64, arm64] ### Default value: x64 ### --unoptimized: Disables C++ compiler optimizations. ### --goma: Speeds up builds. For Googlers only, sorry. :( set -e # Fail on any error. source "$(cd "$(dirname "${BASH_SOURCE[0]}")" >/dev/null 2>&1 && pwd)"/lib/vars.sh || exit $? ensure_fuchsia_dir jiri_bin=$FUCHSIA_DIR/.jiri_root/bin ensure_engine_dir ensure_ninja if [[ $# -lt 2 ]] then echo -e "Usage: $0 <integration_test_name>" fi # This script currently requires running `fx serve`. if [[ -z "$(pgrep -f 'package-tool')" ]] then engine-error "This script currently requires running 'fx serve' first." exit 1 fi # The first argument is always assumed to be the integration test name. test_name=$1 shift # past argument # Ensure we know about the test and look up its packages. # The first package listed here should be the main package for the test # (the package that gets passed to `ffx test run`). # Note: You do not need to include oot_flutter_jit_runner-0.far, the script # automatically publishes it. test_packages= case $test_name in embedder) test_packages=("flutter-embedder-test-0.far" "parent-view.far" "child-view.far") ;; text-input) test_packages=("text-input-test-0.far" "text-input-view.far") ;; touch-input) test_packages=("touch-input-test-0.far" "touch-input-view.far" "embedding-flutter-view.far") ;; mouse-input) test_packages=("mouse-input-test-0.far" "mouse-input-view.far") ;; *) engine-error "Unknown test name $test_name. You may need to add it to $0" exit 1 ;; esac # Parse arguments. skip_fuchsia_build=0 skip_fuchsia_emu=0 runtime_mode="debug" compilation_mode="jit" fuchsia_cpu="x64" goma=0 goma_flags="" ninja_cmd="ninja" unoptimized_flags="" unoptimized_suffix="" extra_gn_args=() while [[ $# -gt 0 ]]; do case $1 in --skip-fuchsia-build) shift # past argument skip_fuchsia_build=1 ;; --skip-fuchsia-emu|--skip-fuchsia-emulator) shift # past argument skip_fuchsia_emu=1 ;; --runtime-mode) shift # past argument runtime_mode="$1" shift # past value if [[ "${runtime_mode}" == debug ]] then compilation_mode="jit" elif [[ "${runtime_mode}" == profile || "${runtime_mode}" == release ]] then compilation_mode="aot" else engine-error "Invalid value for --runtime_mode: ${runtime_mode}" exit 1 fi ;; --fuchsia-cpu) shift # past argument fuchsia_cpu="$1" shift # past value if [[ "${fuchsia_cpu}" != x64 && "${fuchsia_cpu}" != arm64 ]] then engine-error "Invalid value for --fuchsia-cpu: ${fuchsia_cpu}" exit 1 fi ;; --goma) goma=1 goma_flags="--goma" ninja_cmd="autoninja" shift # past argument ;; --unopt|--unoptimized) unoptimized_flags="--unoptimized" unoptimized_suffix="_unopt" shift # past argument ;; *) extra_gn_args+=("$1") # forward argument shift # past argument ;; esac done headless_flags= if [[ -z "$DISPLAY" ]] then engine-warning "You are running a Flutter integration test from a headless environment." engine-warning "This may lead to bugs or the test failing." engine-warning "You may want to switch to a graphical environment and try again, but the script will keep going." headless_flags="--headless" fi all_gn_args="--fuchsia --fuchsia-cpu="${fuchsia_cpu}" --runtime-mode="${runtime_mode}" ${goma_flags} ${unoptimized_flags} ${extra_gn_args[@]}" engine-info "Building Flutter test with GN args: ${all_gn_args}" "$ENGINE_DIR"/flutter/tools/gn ${all_gn_args} fuchsia_out_dir_name=fuchsia_${runtime_mode}${unoptimized_suffix}_${fuchsia_cpu} fuchsia_out_dir="$ENGINE_DIR"/out/"${fuchsia_out_dir_name}" engine-info "Building ${fuchsia_out_dir_name}..." ${ninja_cmd} -C "${fuchsia_out_dir}" flutter/shell/platform/fuchsia/flutter/tests/integration/$test_name:tests engine-debug "Printing test package contents for debugging..." far_tool="$ENGINE_DIR"/fuchsia/sdk/linux/tools/x64/far for test_package in "${test_packages[@]}" do far_debug_dir=/tmp/"$test_name"_package_contents "${far_tool}" extract --archive="$(find $fuchsia_out_dir -name "$test_package")" --output="${far_debug_dir}" "${far_tool}" extract --archive="${far_debug_dir}"/meta.far --output="${far_debug_dir}" engine-debug "... $test_package tree:" tree "${far_debug_dir}" engine-debug "... $test_package/meta/contents:" cat "${far_debug_dir}"/meta/contents rm -r "${far_debug_dir}" done # .jiri_root/bin/ffx needs to run from $FUCHSIA_DIR. pushd $FUCHSIA_DIR engine-info "Registering debug symbols..." "$FUCHSIA_DIR"/.jiri_root/bin/ffx debug symbol-index add "${fuchsia_out_dir}"/.build-id --build-dir "${fuchsia_out_dir}" if [[ "$skip_fuchsia_build" -eq 0 ]] then engine-info "Building Fuchsia in terminal.x64 mode... (to skip this, run with --skip-fuchsia-build)" if [[ "$runtime_mode" -eq "debug" ]] then "$jiri_bin"/fx set terminal.x64 else "$jiri_bin"/fx set terminal.x64 --release fi "$jiri_bin"/fx build fi test_package_paths=( "$fuchsia_out_dir"/oot_flutter_jit_runner-0.far ) for test_package in "${test_packages[@]}" do test_package_paths+=( $(find "$fuchsia_out_dir" -name "$test_package") ) done fx_build_dir="$FUCHSIA_DIR/$(cat $FUCHSIA_DIR/.fx-build-dir)" if [[ "$skip_fuchsia_emu" -eq 0 ]] then engine-info "Starting the Fuchsia terminal.x64 emulator... (to skip this, run with --skip-fuchsia-emu)" "$jiri_bin"/ffx emu stop fuchsia-emulator "$jiri_bin"/ffx emu start "file://$fx_build_dir/*.json#terminal.x64" --net tap "${headless_flags}" --name fuchsia-emulator fi for test_package_path in "${test_package_paths[@]}" do engine-info "... Publishing $test_package_path to package repository ($fx_build_dir/amber-files)..." "$jiri_bin"/ffx repository publish "$fx_build_dir/amber-files/" --package-archive "$test_package_path" done test_package_name_for_url="$(echo "${test_packages[0]}" | sed "s/\-0.far//")" test_url="fuchsia-pkg://fuchsia.com/${test_package_name_for_url}/0#meta/${test_package_name_for_url}.cm" engine-info "Running the test: $test_url" "$jiri_bin"/ffx test run $test_url popd # $FUCHSIA_DIR
engine/tools/fuchsia/devshell/run_integration_test.sh/0
{ "file_path": "engine/tools/fuchsia/devshell/run_integration_test.sh", "repo_id": "engine", "token_count": 2824 }
443
#!/usr/bin/env python3 # # Copyright 2013 The Flutter Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. """ Interpolates test suite information into a cml file. """ from argparse import ArgumentParser import sys def main(): # Parse arguments. parser = ArgumentParser() parser.add_argument('--input', action='store', required=True) parser.add_argument('--test-suite', action='store', required=True) parser.add_argument('--output', action='store', required=True) args = parser.parse_args() # Read, interpolate, write. with open(args.input, 'r') as i, open(args.output, 'w') as o: o.write(i.read().replace('{{TEST_SUITE}}', args.test_suite)) return 0 if __name__ == '__main__': sys.exit(main())
engine/tools/fuchsia/interpolate_test_suite.py/0
{ "file_path": "engine/tools/fuchsia/interpolate_test_suite.py", "repo_id": "engine", "token_count": 260 }
444
//--------------------------------------------------------------------------------------------- // Copyright (c) 2022 Google LLC // Licensed under the MIT License. See License.txt in the project root for license information. //--------------------------------------------------------------------------------------------*/ // DO NOT EDIT -- DO NOT EDIT -- DO NOT EDIT // // This file is auto generated by flutter/engine:flutter/tools/gen_web_keyboard_keymap based on // @@@COMMIT_URL@@@ // // Edit the following files instead: // // - Script: lib/main.dart // - Templates: data/*.tmpl // // See flutter/engine:flutter/tools/gen_web_locale_keymap/README.md for more information. @@@COMMON@@@ /// Data for [LocaleKeymap] on Windows. /// /// Do not use this value, but [LocaleKeymap.win] instead. /// /// The keys are `KeyboardEvent.code` and then `KeyboardEvent.key`. The values /// are logical keys or [kUseKeyCode]. Entries that can be derived using /// heuristics have been omitted. Map<String, Map<String, int>> getMappingDataWin() { @@@WIN_MAPPING@@@ } /// Data for [LocaleKeymap] on Linux. /// /// Do not use this value, but [LocaleKeymap.linux] instead. /// /// The keys are `KeyboardEvent.code` and then `KeyboardEvent.key`. The values /// are logical keys or [kUseKeyCode]. Entries that can be derived using /// heuristics have been omitted. Map<String, Map<String, int>> getMappingDataLinux() { @@@LINUX_MAPPING@@@ } /// Data for [LocaleKeymap] on Darwin. /// /// Do not use this value, but [LocaleKeymap.darwin] instead. /// /// The keys are `KeyboardEvent.code` and then `KeyboardEvent.key`. The values /// are logical keys or [kUseKeyCode]. Entries that can be derived using /// heuristics have been omitted. Map<String, Map<String, int>> getMappingDataDarwin() { @@@DARWIN_MAPPING@@@ }
engine/tools/gen_web_locale_keymap/data/key_mappings.dart.tmpl/0
{ "file_path": "engine/tools/gen_web_locale_keymap/data/key_mappings.dart.tmpl", "repo_id": "engine", "token_count": 532 }
445
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:convert' as convert; /// A Dart representation of a `digest.json` file. /// /// A single file is typically used to represent the results of a test suite, /// or a series of tests that have been run with the same [dimensions]. For /// example, "Impeller Unittests on Vulkan running on MacOS" might generate /// a `digest.json` file. /// /// Other tools (perhaps implemented in other languages, like C++) can use this /// format to communicate with the `golden_tests_harvester` tool without /// relying on the tool directly (or the Dart SDK). final class Digests { /// Creates a new instance of [Digests]. /// /// In practice, [Digests.parse] is typically used to create a new instance /// from an existing `digest.json` file read into memory as string contents. const Digests({ required this.dimensions, required this.entries, }); /// Parses a `digest.json` file from a string. factory Digests.parse(String json) { final Object? decoded = convert.json.decode(json); if (decoded is! Map<String, Object?>) { throw FormatException( 'Expected a JSON object as the root, but got $decoded', json, ); } final Object? dimensions = decoded['dimensions']; if (dimensions is! Map<String, Object?>) { throw FormatException( 'Expected a JSON object "dimensions", but got ${dimensions.runtimeType}', dimensions, ); } final Object? entries = decoded['entries']; if (entries is! List<Object?>) { throw FormatException( 'Expected a JSON list "entries", but got ${entries.runtimeType}', entries, ); } // Now parse the entries. return Digests( dimensions: dimensions.map((String key, Object? value) { if (value is! String) { throw FormatException( 'Expected a JSON string for dimension "$key", but got ${value.runtimeType}', value, ); } return MapEntry<String, String>(key, value); }), entries: List<DigestEntry>.unmodifiable(entries.map((Object? entry) { if (entry is! Map<String, Object?>) { throw FormatException( 'Expected a JSON object for an entry, but got ${entry.runtimeType}', entry, ); } return DigestEntry( filename: entry['filename']! as String, width: entry['width']! as int, height: entry['height']! as int, maxDiffPixelsPercent: entry['maxDiffPixelsPercent']! as double, maxColorDelta: entry['maxColorDelta']! as int, ); })), ); } /// A key-value map of dimensions to provide to Skia Gold. final Map<String, String> dimensions; /// A list of test-run entries. final List<DigestEntry> entries; } /// A single entry in a `digest.json` file. /// /// Each entry is a test-run (or part of a test-run). final class DigestEntry { /// Creates a new instance of [DigestEntry]. const DigestEntry({ required this.filename, required this.width, required this.height, required this.maxDiffPixelsPercent, required this.maxColorDelta, }); /// File path that is a direct sibling of the parsed `digest.json`. final String filename; /// Width of the image. final int width; /// Height of the image. final int height; /// Maximum percentage of different pixels. /// /// Within Skia Gold, this is called `differentPixelsRate`. final double maxDiffPixelsPercent; /// Maximum color delta. /// /// Within Skia Gold, this is called `pixelColorDelta`. final int maxColorDelta; }
engine/tools/golden_tests_harvester/lib/src/digests_json_format.dart/0
{ "file_path": "engine/tools/golden_tests_harvester/lib/src/digests_json_format.dart", "repo_id": "engine", "token_count": 1324 }
446
This directory contains canonical text files representing licenses that are often referenced (by name or URL), so that the license script doesn't need to actively go out to the network to find the license files. The mapping of URL to these files is in ../lib/license.dart in the License.fromUrl constructor.
engine/tools/licenses/data/README/0
{ "file_path": "engine/tools/licenses/data/README", "repo_id": "engine", "token_count": 71 }
447
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. Map<Key, dynamic> _cache = <Key, dynamic>{}; const int _maxSize = 10; T cache<T>(Key key, T Function() getter) { T result; if (_cache[key] != null) { result = _cache[key] as T; _cache.remove(key); } else { if (_cache.length == _maxSize) { _cache.remove(_cache.keys.first); } result = getter(); assert(result is! Function); } _cache[key] = result; return result; } abstract class Key { Key(this._value); final dynamic _value; @override bool operator ==(Object other) { if (identical(this, other)) { return true; } if (runtimeType != other.runtimeType) { return false; } return other is Key && other._value == _value; } @override int get hashCode => runtimeType.hashCode ^ _value.hashCode; @override String toString() => '$runtimeType($_value)'; }
engine/tools/licenses/lib/cache.dart/0
{ "file_path": "engine/tools/licenses/lib/cache.dart", "repo_id": "engine", "token_count": 369 }
448
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:litetest/litetest.dart'; import 'package:path_ops/path_ops.dart'; void main() { test('Path tests', () { final Path path = Path() ..lineTo(10, 0) ..lineTo(10, 10) ..lineTo(0, 10) ..close() ..cubicTo(30, 30, 40, 40, 50, 50); expect(path.fillType, FillType.nonZero); expect(path.verbs.toList(), <PathVerb>[ PathVerb.moveTo, // Skia inserts a moveTo here. PathVerb.lineTo, PathVerb.lineTo, PathVerb.lineTo, PathVerb.close, PathVerb.moveTo, // Skia inserts a moveTo here. PathVerb.cubicTo, ]); expect( path.points, <double>[0, 0, 10, 0, 10, 10, 0, 10, 0, 0, 30, 30, 40, 40, 50, 50], ); final SvgPathProxy proxy = SvgPathProxy(); path.replay(proxy); expect( proxy.toString(), 'M0.0,0.0L10.0,0.0L10.0,10.0L0.0,10.0ZM0.0,0.0C30.0,30.0 40.0,40.0 50.0,50.0', ); path.dispose(); }); test('Ops test', () { final Path cubics = Path() ..moveTo(16, 128) ..cubicTo(16, 66, 66, 16, 128, 16) ..cubicTo(240, 66, 16, 66, 240, 128) ..close(); final Path quad = Path() ..moveTo(55, 16) ..lineTo(200, 80) ..lineTo(198, 230) ..lineTo(15, 230) ..close(); final Path intersection = cubics.applyOp(quad, PathOp.intersect); expect(intersection.verbs, <PathVerb>[ PathVerb.moveTo, PathVerb.lineTo, PathVerb.cubicTo, PathVerb.lineTo, PathVerb.cubicTo, PathVerb.cubicTo, PathVerb.lineTo, PathVerb.lineTo, PathVerb.close ]); expect(intersection.points, <double>[ 34.06542205810547, 128.0, // move 48.90797424316406, 48.59233856201172, // line 57.80497360229492, 39.73065185546875, 68.189697265625, 32.3614387512207, 79.66168212890625, 26.885154724121094, // cubic 151.7936248779297, 58.72270584106445, // line 150.66123962402344, 59.74142837524414, 149.49365234375, 60.752471923828125, 148.32867431640625, 61.76123809814453, // cubic 132.3506317138672, 75.59684753417969, 116.86703491210938, 89.0042953491211, 199.52090454101562, 115.93260192871094, // cubic 199.36000061035156, 128.0, // line 34.06542205810547, 128.0, // line // close ]); cubics.dispose(); quad.dispose(); intersection.dispose(); }); test('Ops where fill type changes', () { final Path a = Path(FillType.evenOdd) ..moveTo(9.989999771118164, 20.0) ..cubicTo(4.46999979019165, 20.0, 0.0, 15.520000457763672, 0.0, 10.0) ..cubicTo(0.0, 4.480000019073486, 4.46999979019165, 0.0, 9.989999771118164, 0.0) ..cubicTo(15.520000457763672, 0.0, 20.0, 4.480000019073486, 20.0, 10.0) ..cubicTo(20.0, 15.520000457763672, 15.520000457763672, 20.0, 9.989999771118164, 20.0) ..close() ..moveTo(10.0, 18.0) ..cubicTo(5.579999923706055, 18.0, 2.0, 14.420000076293945, 2.0, 10.0) ..cubicTo(2.0, 5.579999923706055, 5.579999923706055, 2.0, 10.0, 2.0) ..cubicTo(14.420000076293945, 2.0, 18.0, 5.579999923706055, 18.0, 10.0) ..cubicTo(18.0, 14.420000076293945, 14.420000076293945, 18.0, 10.0, 18.0) ..close() ..moveTo(11.0, 5.0) ..lineTo(11.0, 11.0) ..lineTo(9.0, 11.0) ..lineTo(9.0, 5.0) ..lineTo(11.0, 5.0) ..close() ..moveTo(11.0, 13.0) ..lineTo(11.0, 15.0) ..lineTo(9.0, 15.0) ..lineTo(9.0, 13.0) ..lineTo(11.0, 13.0) ..close(); final Path b = Path()..moveTo(0, 0)..lineTo(0, 20)..lineTo(20, 20)..lineTo(20, 0)..close(); final Path intersection = a.applyOp(b, PathOp.intersect); expect(intersection.fillType, a.fillType); }); }
engine/tools/path_ops/dart/test/path_ops_test.dart/0
{ "file_path": "engine/tools/path_ops/dart/test/path_ops_test.dart", "repo_id": "engine", "token_count": 1966 }
449
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:io' as io; import 'package:engine_build_configs/src/ci_yaml.dart'; import 'package:engine_repo_tools/engine_repo_tools.dart'; import 'package:litetest/litetest.dart'; import 'package:path/path.dart' as path; import 'package:source_span/source_span.dart'; import 'package:yaml/yaml.dart' as y; void main() { y.yamlWarningCallback = (String message, [SourceSpan? span]) {}; // Find the engine repo. final Engine engine; try { engine = Engine.findWithin(); } catch (e) { io.stderr.writeln(e); io.exitCode = 1; return; } final String ciYamlPath = path.join(engine.flutterDir.path, '.ci.yaml'); final String realCiYaml = io.File(ciYamlPath).readAsStringSync(); test('Can load the real .ci.yaml file', () { final y.YamlNode yamlNode = y.loadYamlNode( realCiYaml, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); if (!config.valid) { io.stderr.writeln(config.error); } expect(config.valid, isTrue); }); test('Parses all supported fields', () { const String yamlData = ''' targets: - name: Linux linux_build recipe: engine_v2/engine_v2 properties: config_name: linux_build '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); if (!config.valid) { io.stderr.writeln(config.error); } expect(config.valid, isTrue); expect(config.ciTargets.entries.isNotEmpty, isTrue); expect(config.ciTargets['Linux linux_build'], isNotNull); expect(config.ciTargets['Linux linux_build']!.valid, isTrue); expect(config.ciTargets['Linux linux_build']!.name, equals('Linux linux_build')); expect(config.ciTargets['Linux linux_build']!.recipe, equals('engine_v2/engine_v2')); expect(config.ciTargets['Linux linux_build']!.properties.valid, isTrue); expect(config.ciTargets['Linux linux_build']!.properties.configName, equals('linux_build')); }); test('Invalid when targets is malformed', () { const String yamlData = ''' targets: 4 '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isFalse); expect(config.error, contains('Expected "targets" to be a list.')); }); test('Invalid when a target is malformed', () { const String yamlData = ''' targets: - name: 4 recipe: engine_v2/engine_v2 properties: config_name: linux_build '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isFalse); expect(config.error, contains('Expected map to contain a string value for key "name".')); }); test('Invalid when a recipe is malformed', () { const String yamlData = ''' targets: - name: Linux linux_build recipe: 4 properties: config_name: linux_build '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isFalse); expect(config.error, contains('Expected map to contain a string value for key "recipe".')); }); test('Invalid when a properties list is malformed', () { const String yamlData = ''' targets: - name: Linux linux_build recipe: engine_v2/engine_v2 properties: 4 '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isFalse); expect(config.error, contains('Expected "properties" to be a map.')); }); test('Still valid when a config_name is not present', () { const String yamlData = ''' targets: - name: Linux linux_build recipe: engine_v2/engine_v2 properties: field: value '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isTrue); }); test('Invalid when any target is malformed', () { const String yamlData = ''' targets: - name: Linux linux_build recipe: engine_v2/engine_v2 properties: config_name: linux_build - name: 4 recipe: engine_v2/engine_v2 properties: config_name: linux_build '''; final y.YamlNode yamlNode = y.loadYamlNode( yamlData, sourceUrl: Uri.file(ciYamlPath), ); final CiConfig config = CiConfig.fromYaml(yamlNode); expect(config.valid, isFalse); expect(config.error, contains('Expected map to contain a string value for key "name".')); }); }
engine/tools/pkg/engine_build_configs/test/ci_yaml_test.dart/0
{ "file_path": "engine/tools/pkg/engine_build_configs/test/ci_yaml_test.dart", "repo_id": "engine", "token_count": 1910 }
450
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // FLUTTER_NOLINT: https://github.com/flutter/flutter/issues/105732 #include <filesystem> #include <string> #include <string_view> #include "flutter/fml/command_line.h" #include "flutter/fml/file.h" #include "flutter/fml/logging.h" #include "flutter/fml/mapping.h" #include "inja/inja.hpp" namespace flutter { bool TemplaterMain(const fml::CommandLine& command_line) { std::string input_path; std::string output_path; if (!command_line.GetOptionValue("templater-input", &input_path)) { FML_LOG(ERROR) << "Input template path not specified. Use --templater-input."; return false; } if (!command_line.GetOptionValue("templater-output", &output_path)) { FML_LOG(ERROR) << "Input template path not specified. Use --templater-output."; return false; } auto input = fml::FileMapping::CreateReadOnly(input_path); if (!input) { FML_LOG(ERROR) << "Could not open input file: " << input_path; return false; } nlohmann::json arguments; for (const auto& option : command_line.options()) { arguments[option.name] = option.value; } inja::Environment env; auto rendered_template = env.render( std::string_view{reinterpret_cast<const char*>(input->GetMapping()), input->GetSize()}, arguments); auto output = fml::NonOwnedMapping{ reinterpret_cast<const uint8_t*>(rendered_template.data()), rendered_template.size()}; auto current_dir = fml::OpenDirectory(std::filesystem::current_path().u8string().c_str(), false, fml::FilePermission::kReadWrite); if (!current_dir.is_valid()) { FML_LOG(ERROR) << "Could not open current directory."; return false; } if (!fml::WriteAtomically(current_dir, output_path.c_str(), output)) { FML_LOG(ERROR) << "Could not write output to path: " << output_path; return false; } return true; } } // namespace flutter int main(int argc, char const* argv[]) { return flutter::TemplaterMain(fml::CommandLineFromArgcArgv(argc, argv)) ? EXIT_SUCCESS : EXIT_FAILURE; }
engine/tools/templater/templater_main.cc/0
{ "file_path": "engine/tools/templater/templater_main.cc", "repo_id": "engine", "token_count": 863 }
451
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef FLUTTER_VULKAN_VULKAN_BACKBUFFER_H_ #define FLUTTER_VULKAN_VULKAN_BACKBUFFER_H_ #include <array> #include "flutter/fml/compiler_specific.h" #include "flutter/fml/macros.h" #include "flutter/vulkan/procs/vulkan_handle.h" #include "third_party/skia/include/core/SkSize.h" #include "third_party/skia/include/core/SkSurface.h" #include "vulkan_command_buffer.h" namespace vulkan { class VulkanBackbuffer { public: VulkanBackbuffer(const VulkanProcTable& vk, const VulkanHandle<VkDevice>& device, const VulkanHandle<VkCommandPool>& pool); ~VulkanBackbuffer(); bool IsValid() const; [[nodiscard]] bool WaitFences(); [[nodiscard]] bool ResetFences(); const VulkanHandle<VkFence>& GetUsageFence() const; const VulkanHandle<VkFence>& GetRenderFence() const; const VulkanHandle<VkSemaphore>& GetUsageSemaphore() const; const VulkanHandle<VkSemaphore>& GetRenderSemaphore() const; VulkanCommandBuffer& GetUsageCommandBuffer(); VulkanCommandBuffer& GetRenderCommandBuffer(); private: const VulkanProcTable& vk_; const VulkanHandle<VkDevice>& device_; std::array<VulkanHandle<VkSemaphore>, 2> semaphores_; std::array<VulkanHandle<VkFence>, 2> use_fences_; VulkanCommandBuffer usage_command_buffer_; VulkanCommandBuffer render_command_buffer_; bool valid_; bool CreateSemaphores(); bool CreateFences(); FML_DISALLOW_COPY_AND_ASSIGN(VulkanBackbuffer); }; } // namespace vulkan #endif // FLUTTER_VULKAN_VULKAN_BACKBUFFER_H_
engine/vulkan/vulkan_backbuffer.h/0
{ "file_path": "engine/vulkan/vulkan_backbuffer.h", "repo_id": "engine", "token_count": 617 }
452
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef FLUTTER_VULKAN_VULKAN_SKIA_PROC_TABLE_H_ #define FLUTTER_VULKAN_VULKAN_SKIA_PROC_TABLE_H_ #include "flutter/vulkan/procs/vulkan_proc_table.h" #include "third_party/skia/include/gpu/vk/GrVkBackendContext.h" namespace vulkan { GrVkGetProc CreateSkiaGetProc(const fml::RefPtr<vulkan::VulkanProcTable>& vk); } // namespace vulkan #endif // FLUTTER_VULKAN_VULKAN_SKIA_PROC_TABLE_H_
engine/vulkan/vulkan_skia_proc_table.h/0
{ "file_path": "engine/vulkan/vulkan_skia_proc_table.h", "repo_id": "engine", "token_count": 229 }
453
// Copyright 2013 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // ignore_for_file: avoid_print import 'dart:io'; import 'package:analyzer/dart/analysis/features.dart'; import 'package:analyzer/dart/analysis/results.dart'; import 'package:analyzer/dart/analysis/utilities.dart'; import 'package:analyzer/dart/ast/ast.dart'; // Ignore members defined on Object. const Set<String> _kObjectMembers = <String>{ '==', 'toString', 'hashCode', }; CompilationUnit _parseAndCheckDart(String path) { final FeatureSet analyzerFeatures = FeatureSet.latestLanguageVersion(); if (!analyzerFeatures.isEnabled(Feature.non_nullable)) { throw Exception('non-nullable feature is disabled.'); } final ParseStringResult result = parseFile(path: path, featureSet: analyzerFeatures, throwIfDiagnostics: false); if (result.errors.isNotEmpty) { result.errors.forEach(stderr.writeln); stderr.writeln('Failure!'); exit(1); } return result.unit; } void main() { final String flutterDir = Platform.environment['FLUTTER_DIR']!; // These files just contain imports to the part files; final CompilationUnit uiUnit = _parseAndCheckDart('$flutterDir/lib/ui/ui.dart'); final CompilationUnit webUnit = _parseAndCheckDart('$flutterDir/lib/web_ui/lib/ui.dart'); final Map<String, ClassDeclaration> uiClasses = <String, ClassDeclaration>{}; final Map<String, ClassDeclaration> webClasses = <String, ClassDeclaration>{}; final Map<String, GenericTypeAlias> uiTypeDefs = <String, GenericTypeAlias>{}; final Map<String, GenericTypeAlias> webTypeDefs = <String, GenericTypeAlias>{}; // Gather all public classes from each library. For now we are skipping // other top level members. _collectPublicClasses(uiUnit, uiClasses, '$flutterDir/lib/ui/'); _collectPublicClasses(webUnit, webClasses, '$flutterDir/lib/web_ui/lib/'); _collectPublicTypeDefs(uiUnit, uiTypeDefs, '$flutterDir/lib/ui/'); _collectPublicTypeDefs(webUnit, webTypeDefs, '$flutterDir/lib/web_ui/lib/'); if (uiClasses.isEmpty || webClasses.isEmpty) { print('Warning: did not resolve any classes.'); } if (uiTypeDefs.isEmpty || webTypeDefs.isEmpty) { print('Warning: did not resolve any typedefs.'); } bool failed = false; print('Checking ${uiClasses.length} public classes.'); for (final String className in uiClasses.keys) { final ClassDeclaration uiClass = uiClasses[className]!; final ClassDeclaration? webClass = webClasses[className]; // If the web class is missing there isn't much left to do here. Print a // warning and move along. if (webClass == null) { failed = true; print('Warning: lib/ui/ui.dart contained public class $className, but ' 'this was missing from lib/web_ui/ui.dart.'); continue; } // Next will check that the public methods exposed in each library are // identical. final Map<String, MethodDeclaration> uiMethods = <String, MethodDeclaration>{}; final Map<String, MethodDeclaration> webMethods = <String, MethodDeclaration>{}; final Map<String, ConstructorDeclaration> uiConstructors = <String, ConstructorDeclaration>{}; final Map<String, ConstructorDeclaration> webConstructors = <String, ConstructorDeclaration>{}; _collectPublicMethods(uiClass, uiMethods); _collectPublicMethods(webClass, webMethods); _collectPublicConstructors(uiClass, uiConstructors); _collectPublicConstructors(webClass, webConstructors); for (final String name in uiConstructors.keys) { final ConstructorDeclaration uiConstructor = uiConstructors[name]!; final ConstructorDeclaration? webConstructor = webConstructors[name]; if (webConstructor == null) { failed = true; print( 'Warning: lib/ui/ui.dart $className.$name is missing from lib/web_ui/ui.dart.', ); continue; } if (uiConstructor.parameters.parameters.length != webConstructor.parameters.parameters.length) { failed = true; print( 'Warning: lib/ui/ui.dart $className.$name has a different parameter ' 'length than in lib/web_ui/ui.dart.'); } for (int i = 0; i < uiConstructor.parameters.parameters.length && i < uiConstructor.parameters.parameters.length; i++) { // Technically you could re-order named parameters and still be valid, // but we enforce that they are identical. for (int i = 0; i < uiConstructor.parameters.parameters.length && i < webConstructor.parameters.parameters.length; i++) { final FormalParameter uiParam = uiConstructor.parameters.parameters[i]; final FormalParameter webParam = webConstructor.parameters.parameters[i]; if (webParam.name!.lexeme != uiParam.name!.lexeme) { failed = true; print('Warning: lib/ui/ui.dart $className.$name parameter $i' ' ${uiParam.name!.lexeme} has a different name in lib/web_ui/ui.dart.'); } if (uiParam.isPositional != webParam.isPositional) { failed = true; print('Warning: lib/ui/ui.dart $className.$name parameter $i' '${uiParam.name!.lexeme} is positional, but not in lib/web_ui/ui.dart.'); } if (uiParam.isNamed != webParam.isNamed) { failed = true; print('Warning: lib/ui/ui.dart $className.$name parameter $i' '${uiParam.name!.lexeme} is named, but not in lib/web_ui/ui.dart.'); } } } } for (final String methodName in uiMethods.keys) { if (_kObjectMembers.contains(methodName)) { continue; } final MethodDeclaration uiMethod = uiMethods[methodName]!; final MethodDeclaration? webMethod = webMethods[methodName]; if (webMethod == null) { failed = true; print( 'Warning: lib/ui/ui.dart $className.$methodName is missing from lib/web_ui/ui.dart.', ); continue; } if (uiMethod.parameters == null || webMethod.parameters == null) { continue; } if (uiMethod.parameters!.parameters.length != webMethod.parameters!.parameters.length) { failed = true; print( 'Warning: lib/ui/ui.dart $className.$methodName has a different parameter ' 'length than in lib/web_ui/ui.dart.'); } // Technically you could re-order named parameters and still be valid, // but we enforce that they are identical. for (int i = 0; i < uiMethod.parameters!.parameters.length && i < webMethod.parameters!.parameters.length; i++) { final FormalParameter uiParam = uiMethod.parameters!.parameters[i]; final FormalParameter webParam = webMethod.parameters!.parameters[i]; if (webParam.name!.lexeme != uiParam.name!.lexeme) { failed = true; print('Warning: lib/ui/ui.dart $className.$methodName parameter $i' ' ${uiParam.name!.lexeme} has a different name in lib/web_ui/ui.dart.'); } if (uiParam.isPositional != webParam.isPositional) { failed = true; print('Warning: lib/ui/ui.dart $className.$methodName parameter $i' '${uiParam.name!.lexeme} is positional, but not in lib/web_ui/ui.dart.'); } if (uiParam.isNamed != webParam.isNamed) { failed = true; print('Warning: lib/ui/ui.dart $className.$methodName parameter $i' '${uiParam.name!.lexeme} is named, but not in lib/web_ui/ui.dart.'); } // check nullability if (uiParam is SimpleFormalParameter && webParam is SimpleFormalParameter) { final bool isUiNullable = uiParam.type?.question != null; final bool isWebNullable = webParam.type?.question != null; if (isUiNullable != isWebNullable) { failed = true; print('Warning: lib/ui/ui.dart $className.$methodName parameter $i ' '${uiParam.name} has a different nullability than in lib/web_ui/ui.dart.'); } } } // check return type. if (uiMethod.returnType?.toString() != webMethod.returnType?.toString()) { // allow dynamic in web implementation. if (webMethod.returnType?.toString() != 'dynamic') { failed = true; print( 'Warning: $className.$methodName return type mismatch:\n' ' lib/ui/ui.dart : ${uiMethod.returnType?.toSource()}\n' ' lib/web_ui/ui.dart : ${webMethod.returnType?.toSource()}'); } } } } print('Checking ${uiTypeDefs.length} typedefs.'); for (final String typeDefName in uiTypeDefs.keys) { final GenericTypeAlias uiTypeDef = uiTypeDefs[typeDefName]!; final GenericTypeAlias? webTypeDef = webTypeDefs[typeDefName]; // If the web typedef is missing there isn't much left to do here. Print a // warning and move along. if (webTypeDef == null) { failed = true; print('Warning: lib/ui/ui.dart contained typedef $typeDefName, but ' 'this was missing from lib/web_ui/ui.dart.'); continue; } // uiTypeDef.functionType.parameters if (uiTypeDef.functionType?.parameters.parameters == null || webTypeDef.functionType?.parameters.parameters == null) { continue; } if (uiTypeDef.functionType?.parameters.parameters.length != webTypeDef.functionType?.parameters.parameters.length) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName has a different parameter ' 'length than in lib/web_ui/ui.dart.'); } // Technically you could re-order named parameters and still be valid, // but we enforce that they are identical. for (int i = 0; i < uiTypeDef.functionType!.parameters.parameters.length && i < webTypeDef.functionType!.parameters.parameters.length; i++) { final SimpleFormalParameter uiParam = (uiTypeDef.type as GenericFunctionType).parameters.parameters[i] as SimpleFormalParameter; final SimpleFormalParameter webParam = (webTypeDef.type as GenericFunctionType).parameters.parameters[i] as SimpleFormalParameter; if (webParam.name == null) { failed = true; print('Warning: lib/web_ui/ui.dart $typeDefName parameter $i should have name.'); } if (uiParam.name == null) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName parameter $i should have name.'); } if (webParam.name?.lexeme != uiParam.name?.lexeme) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName parameter $i ' '${uiParam.name!.lexeme} has a different name in lib/web_ui/ui.dart.'); } if (uiParam.isPositional != webParam.isPositional) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName parameter $i ' '${uiParam.name!.lexeme} is positional, but not in lib/web_ui/ui.dart.'); } if (uiParam.isNamed != webParam.isNamed) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName parameter $i ' '${uiParam.name!.lexeme}} is named, but not in lib/web_ui/ui.dart.'); } final bool isUiNullable = uiParam.type?.question != null; final bool isWebNullable = webParam.type?.question != null; if (isUiNullable != isWebNullable) { failed = true; print('Warning: lib/ui/ui.dart $typeDefName parameter $i ' '${uiParam.name} has a different nullability than in lib/web_ui/ui.dart.'); } } // check return type. if (uiTypeDef.functionType?.returnType?.toString() != webTypeDef.functionType?.returnType?.toString()) { // allow dynamic in web implementation. if (webTypeDef.functionType?.returnType?.toString() != 'dynamic') { failed = true; print('Warning: $typeDefName return type mismatch:\n' ' lib/ui/ui.dart : ${uiTypeDef.functionType?.returnType?.toSource()}\n' ' lib/web_ui/ui.dart : ${webTypeDef.functionType?.returnType?.toSource()}'); } } } if (failed) { print('Failure!'); exit(1); } print('Success!'); exit(0); } // Collects all public classes defined by the part files of [unit]. void _collectPublicClasses(CompilationUnit unit, Map<String, ClassDeclaration> destination, String root) { for (final Directive directive in unit.directives) { if (directive is! PartDirective) { continue; } final PartDirective partDirective = directive; final String literalUri = partDirective.uri.toString(); final CompilationUnit subUnit = _parseAndCheckDart('$root${literalUri.substring(1, literalUri.length - 1)}'); for (final CompilationUnitMember member in subUnit.declarations) { if (member is! ClassDeclaration) { continue; } final ClassDeclaration classDeclaration = member; if (classDeclaration.name.lexeme.startsWith('_')) { continue; } destination[classDeclaration.name.lexeme] = classDeclaration; } } } void _collectPublicConstructors(ClassDeclaration classDeclaration, Map<String, ConstructorDeclaration> destination) { for (final ClassMember member in classDeclaration.members) { if (member is! ConstructorDeclaration) { continue; } final String? methodName = member.name?.lexeme; if (methodName == null) { destination['Unnamed Constructor'] = member; continue; } if (methodName.startsWith('_')) { continue; } destination[methodName] = member; } } void _collectPublicMethods(ClassDeclaration classDeclaration, Map<String, MethodDeclaration> destination) { for (final ClassMember member in classDeclaration.members) { if (member is! MethodDeclaration) { continue; } if (member.name.lexeme.startsWith('_')) { continue; } destination[member.name.lexeme] = member; } } void _collectPublicTypeDefs(CompilationUnit unit, Map<String, GenericTypeAlias> destination, String root) { for (final Directive directive in unit.directives) { if (directive is! PartDirective) { continue; } final PartDirective partDirective = directive; final String literalUri = partDirective.uri.toString(); final CompilationUnit subUnit = _parseAndCheckDart( '$root${literalUri.substring(1, literalUri.length - 1)}'); for (final CompilationUnitMember member in subUnit.declarations) { if (member is! GenericTypeAlias) { continue; } final GenericTypeAlias typeDeclaration = member; if (typeDeclaration.name.lexeme.startsWith('_')) { continue; } destination[typeDeclaration.name.lexeme] = typeDeclaration; } } }
engine/web_sdk/test/api_conform_test.dart/0
{ "file_path": "engine/web_sdk/test/api_conform_test.dart", "repo_id": "engine", "token_count": 6070 }
454
<component name="ProjectCodeStyleConfiguration"> <code_scheme name="Project" version="173"> <option name="OTHER_INDENT_OPTIONS"> <value> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="4" /> <option name="TAB_SIZE" value="8" /> </value> </option> <option name="LINE_SEPARATOR" value="&#10;" /> <option name="RIGHT_MARGIN" value="140" /> <option name="FORMATTER_TAGS_ENABLED" value="true" /> <option name="LINE_COMMENT_AT_FIRST_COLUMN" value="false" /> <option name="BLOCK_COMMENT_AT_FIRST_COLUMN" value="false" /> <GroovyCodeStyleSettings> <option name="STATIC_METHODS_ORDER_WEIGHT" value="5" /> <option name="METHODS_ORDER_WEIGHT" value="4" /> </GroovyCodeStyleSettings> <JavaCodeStyleSettings> <option name="PREFER_LONGER_NAMES" value="false" /> <option name="PACKAGES_TO_USE_IMPORT_ON_DEMAND"> <value> <package name="java.awt" withSubpackages="false" static="false" /> <package name="javax.tools" withSubpackages="true" static="false" /> <package name="javax.swing" withSubpackages="false" static="false" /> </value> </option> </JavaCodeStyleSettings> <JetCodeStyleSettings> <option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" /> </JetCodeStyleSettings> <Objective-C-extensions> <file> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Import" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Macro" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Typedef" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Enum" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Constant" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Global" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Struct" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="FunctionPredecl" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Function" /> </file> <class> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Property" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="Synthesize" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="InitMethod" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="StaticMethod" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="InstanceMethod" /> <option name="com.jetbrains.cidr.lang.util.OCDeclarationKind" value="DeallocMethod" /> </class> <extensions> <pair source="cpp" header="h" fileNamingConvention="NONE" /> <pair source="c" header="h" fileNamingConvention="NONE" /> </extensions> </Objective-C-extensions> <codeStyleSettings language="CFML"> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="WHILE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_PARAMETERS_IN_CALLS" value="true" /> <option name="ALIGN_MULTILINE_BINARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="CALL_PARAMETERS_WRAP" value="1" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_SIGNS_ON_NEXT_LINE" value="true" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="ASSIGNMENT_WRAP" value="1" /> </codeStyleSettings> <codeStyleSettings language="ECMA Script Level 4"> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="WHILE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="FINALLY_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_PARAMETERS_IN_CALLS" value="true" /> <option name="ALIGN_MULTILINE_BINARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_EXTENDS_LIST" value="true" /> <option name="CALL_PARAMETERS_WRAP" value="1" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="EXTENDS_LIST_WRAP" value="1" /> <option name="EXTENDS_KEYWORD_WRAP" value="1" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_SIGNS_ON_NEXT_LINE" value="true" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="ARRAY_INITIALIZER_WRAP" value="1" /> <option name="ASSIGNMENT_WRAP" value="1" /> <option name="IF_BRACE_FORCE" value="1" /> <option name="DOWHILE_BRACE_FORCE" value="1" /> <option name="WHILE_BRACE_FORCE" value="1" /> <option name="FOR_BRACE_FORCE" value="1" /> </codeStyleSettings> <codeStyleSettings language="Groovy"> <option name="KEEP_BLANK_LINES_BEFORE_RBRACE" value="0" /> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="FINALLY_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_PARAMETERS_IN_CALLS" value="true" /> <option name="ALIGN_MULTILINE_BINARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_ASSIGNMENT" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_THROWS_LIST" value="true" /> <option name="ALIGN_MULTILINE_EXTENDS_LIST" value="true" /> <option name="SPACE_AFTER_TYPE_CAST" value="false" /> <option name="CALL_PARAMETERS_WRAP" value="1" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="EXTENDS_LIST_WRAP" value="1" /> <option name="THROWS_LIST_WRAP" value="5" /> <option name="EXTENDS_KEYWORD_WRAP" value="1" /> <option name="THROWS_KEYWORD_WRAP" value="1" /> <option name="METHOD_CALL_CHAIN_WRAP" value="1" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="ASSIGNMENT_WRAP" value="1" /> <option name="IF_BRACE_FORCE" value="1" /> <option name="WHILE_BRACE_FORCE" value="1" /> <option name="FOR_BRACE_FORCE" value="1" /> <option name="FIELD_ANNOTATION_WRAP" value="0" /> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="2" /> <option name="TAB_SIZE" value="8" /> </indentOptions> </codeStyleSettings> <codeStyleSettings language="HTML"> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="4" /> <option name="TAB_SIZE" value="8" /> </indentOptions> </codeStyleSettings> <codeStyleSettings language="JAVA"> <option name="LINE_COMMENT_AT_FIRST_COLUMN" value="false" /> <option name="BLOCK_COMMENT_AT_FIRST_COLUMN" value="false" /> <option name="KEEP_FIRST_COLUMN_COMMENT" value="false" /> <option name="KEEP_BLANK_LINES_BEFORE_RBRACE" value="0" /> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="WHILE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="FINALLY_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_PARAMETERS_IN_CALLS" value="true" /> <option name="ALIGN_MULTILINE_BINARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_ASSIGNMENT" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_THROWS_LIST" value="true" /> <option name="ALIGN_MULTILINE_EXTENDS_LIST" value="true" /> <option name="ALIGN_MULTILINE_PARENTHESIZED_EXPRESSION" value="true" /> <option name="SPACE_WITHIN_BRACES" value="true" /> <option name="SPACE_WITHIN_EMPTY_ARRAY_INITIALIZER_BRACES" value="true" /> <option name="SPACE_AFTER_TYPE_CAST" value="false" /> <option name="CALL_PARAMETERS_WRAP" value="1" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="EXTENDS_LIST_WRAP" value="1" /> <option name="THROWS_LIST_WRAP" value="5" /> <option name="EXTENDS_KEYWORD_WRAP" value="1" /> <option name="THROWS_KEYWORD_WRAP" value="1" /> <option name="METHOD_CALL_CHAIN_WRAP" value="1" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_SIGNS_ON_NEXT_LINE" value="true" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="ARRAY_INITIALIZER_WRAP" value="1" /> <option name="ASSIGNMENT_WRAP" value="1" /> <option name="IF_BRACE_FORCE" value="1" /> <option name="DOWHILE_BRACE_FORCE" value="1" /> <option name="WHILE_BRACE_FORCE" value="1" /> <option name="FOR_BRACE_FORCE" value="1" /> <option name="FIELD_ANNOTATION_WRAP" value="0" /> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="2" /> <option name="TAB_SIZE" value="8" /> </indentOptions> <arrangement> <rules> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PUBLIC>true</PUBLIC> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PROTECTED>true</PROTECTED> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PACKAGE_PRIVATE>true</PACKAGE_PRIVATE> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PRIVATE>true</PRIVATE> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <CLASS>true</CLASS> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <CLASS>true</CLASS> </match> </rule> </section> <section> <rule> <match> <INTERFACE>true</INTERFACE> </match> </rule> </section> <section> <rule> <match> <ENUM>true</ENUM> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PUBLIC>true</PUBLIC> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PROTECTED>true</PROTECTED> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PACKAGE_PRIVATE>true</PACKAGE_PRIVATE> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PRIVATE>true</PRIVATE> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <INITIALIZER_BLOCK>true</INITIALIZER_BLOCK> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PUBLIC>true</PUBLIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PROTECTED>true</PROTECTED> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PACKAGE_PRIVATE>true</PACKAGE_PRIVATE> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <FINAL>true</FINAL> <PRIVATE>true</PRIVATE> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PUBLIC>true</PUBLIC> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PROTECTED>true</PROTECTED> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PACKAGE_PRIVATE>true</PACKAGE_PRIVATE> </AND> </match> </rule> </section> <section> <rule> <match> <AND> <FIELD>true</FIELD> <PRIVATE>true</PRIVATE> </AND> </match> </rule> </section> <section> <rule> <match> <FIELD>true</FIELD> </match> </rule> </section> <section> <rule> <match> <INITIALIZER_BLOCK>true</INITIALIZER_BLOCK> </match> </rule> </section> <section> <rule> <match> <CONSTRUCTOR>true</CONSTRUCTOR> </match> </rule> </section> <section> <rule> <match> <AND> <METHOD>true</METHOD> <STATIC>true</STATIC> </AND> </match> </rule> </section> <section> <rule> <match> <METHOD>true</METHOD> </match> </rule> </section> </rules> </arrangement> </codeStyleSettings> <codeStyleSettings language="JavaScript"> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="WHILE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="FINALLY_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_PARAMETERS_IN_CALLS" value="true" /> <option name="ALIGN_MULTILINE_BINARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="CALL_PARAMETERS_WRAP" value="1" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_SIGNS_ON_NEXT_LINE" value="true" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="ARRAY_INITIALIZER_WRAP" value="1" /> <option name="ASSIGNMENT_WRAP" value="1" /> <option name="IF_BRACE_FORCE" value="1" /> <option name="DOWHILE_BRACE_FORCE" value="1" /> <option name="WHILE_BRACE_FORCE" value="1" /> <option name="FOR_BRACE_FORCE" value="1" /> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="TAB_SIZE" value="2" /> </indentOptions> </codeStyleSettings> <codeStyleSettings language="PHP"> <option name="KEEP_BLANK_LINES_BEFORE_RBRACE" value="0" /> <option name="CLASS_BRACE_STYLE" value="1" /> <option name="METHOD_BRACE_STYLE" value="1" /> <option name="ELSE_ON_NEW_LINE" value="true" /> <option name="WHILE_ON_NEW_LINE" value="true" /> <option name="CATCH_ON_NEW_LINE" value="true" /> <option name="ALIGN_MULTILINE_TERNARY_OPERATION" value="true" /> <option name="ALIGN_MULTILINE_EXTENDS_LIST" value="true" /> <option name="METHOD_PARAMETERS_WRAP" value="5" /> <option name="EXTENDS_LIST_WRAP" value="1" /> <option name="EXTENDS_KEYWORD_WRAP" value="1" /> <option name="BINARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_WRAP" value="5" /> <option name="TERNARY_OPERATION_SIGNS_ON_NEXT_LINE" value="true" /> <option name="KEEP_SIMPLE_METHODS_IN_ONE_LINE" value="true" /> <option name="FOR_STATEMENT_WRAP" value="5" /> <option name="IF_BRACE_FORCE" value="1" /> <option name="DOWHILE_BRACE_FORCE" value="1" /> <option name="WHILE_BRACE_FORCE" value="1" /> <option name="FOR_BRACE_FORCE" value="1" /> <option name="PARENT_SETTINGS_INSTALLED" value="true" /> </codeStyleSettings> <codeStyleSettings language="Python"> <option name="PARENT_SETTINGS_INSTALLED" value="true" /> </codeStyleSettings> <codeStyleSettings language="XML"> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="4" /> <option name="TAB_SIZE" value="8" /> </indentOptions> </codeStyleSettings> <codeStyleSettings language="kotlin"> <option name="CODE_STYLE_DEFAULTS" value="KOTLIN_OFFICIAL" /> <indentOptions> <option name="INDENT_SIZE" value="2" /> <option name="CONTINUATION_INDENT_SIZE" value="4" /> <option name="TAB_SIZE" value="2" /> </indentOptions> </codeStyleSettings> </code_scheme> </component>
flutter-intellij/.idea/codeStyles/Project.xml/0
{ "file_path": "flutter-intellij/.idea/codeStyles/Project.xml", "repo_id": "flutter-intellij", "token_count": 10456 }
455
<component name="ProjectRunConfigurationManager"> <configuration default="false" name="flutter-intellij [plugin-test]" type="DartCommandLineRunConfigurationType" factoryName="Dart Command Line Application"> <option name="arguments" value="test" /> <option name="filePath" value="$PROJECT_DIR$/tool/plugin/bin/main.dart" /> <option name="workingDirectory" value="$PROJECT_DIR$" /> <method v="2" /> </configuration> </component>
flutter-intellij/.idea/runConfigurations/flutter_intellij__plugin_test_.xml/0
{ "file_path": "flutter-intellij/.idea/runConfigurations/flutter_intellij__plugin_test_.xml", "repo_id": "flutter-intellij", "token_count": 140 }
456
## The plugin tool Building is done by the `plugin` tool. See [tool/plugin/README.md](../tool/plugin/README.md) for details. ## Releasing the plugin Update the [product-matrix.json](../product-matrix.json): - IntelliJ IDEA versions can be found here: https://www.jetbrains.com/idea/download/other.html - Version numbers for the `product-matrix.json` should be taken from the name of the downloaded file, not versions listed on the website. - Dart Plugin versions can be found here: https://plugins.jetbrains.com/plugin/6351-dart - Android Studio versions can be found here: https://plugins.jetbrains.com/docs/intellij/android-studio-releases-list.html - To view the current sources from Android Studio, use https://cs.android.com/android-studio - To get versions of the Android plugin for IntelliJ, versions can be pulled from https://plugins.jetbrains.com/plugin/22989-android Update the changelog, then generate `plugin.xml` changes using `./bin/plugin generate`. Commit and submit these changes. Verify that the file `./resources/jxbrowser/jxbrowser.properties` has been copied from `./resources/jxbrowser/jxbrowser.properties.template` with the `<KEY>` replaced with a valid JXBrowser key to be used in the built Flutter plugin. For major releases: - Name the branch `release_<release number>` and push to GitHub - Run `./bin/plugin make -r<release number>` to build the plugin for all supported versions For minor releases: - Fetch and checkout the branch `release_<release number>` from GitHub for the latest release (e.g. pull `release_64` if about to release 64.1) - Run `./bin/plugin make -r<release number>.<minor number>` (e.g. `-r64.1`) to build the plugin for all supported versions - Push the updated branch `release_<release number>` to GitHub. The release branch will be on: - Releases 1 to 70 can be found at https://github.com/flutter/flutter-intellij/branches/all?query=release - Releases 71 to 75 can be found at https://github.com/stevemessick/flutter-intellij/branches/all?query=release - Releases from 76 can be found at https://github.com/jwren/flutter-intellij/branches/all?query=release ### Some additional notes to build and test the Flutter Plugin To test that building works, the `-r` flag is not needed, just run `./bin/plugin make`. To build a specific version of the Flutter Plugin append `--only-version=`, i.e. `./bin/plugin make -r77 --only-version=2023.3` ### Test and upload to the JetBrains Servers Once plugin files are generated, upload release files to Drive for manual testing. When ready to release to the public, go to the [Flutter plugin site](https://plugins.jetbrains.com/plugin/9212-flutter). You will need to be invited to the organization to upload plugin files. ## The build pre-reqs This section is obsolete. Several large files required for building the plugin are downloaded from Google Storage and cached in the `artifacts/` directory. We use timestamps to know if the local cached copies are up-to-date. ### install gs_util It is no longer necessary to use gs_util. All artifact management is automated. This section is being retained in case someone wants to clean up the cloud storage. If necessary, install the gs_util command-line utility from [here](https://cloud.google.com/storage/docs/gsutil_install). ### to list existing artifacts To see a list of all current IntelliJ build pre-reqs: ```shell $ gsutil ls gs://flutter_infra_release/flutter/intellij/ ``` ### uploading new artifacts Do not upload new artifacts. In order to update or add a new pre-req: ```shell $ gsutil cp <path-to-archive> gs://flutter_infra_release/flutter/intellij/ ```
flutter-intellij/docs/building.md/0
{ "file_path": "flutter-intellij/docs/building.md", "repo_id": "flutter-intellij", "token_count": 1053 }
457
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.tests.gui.fixtures import com.intellij.execution.impl.ConsoleViewImpl import com.intellij.openapi.project.Project import com.intellij.openapi.wm.ToolWindowId import com.intellij.testGuiFramework.fixtures.MessagesToolWindowFixture import com.intellij.testGuiFramework.fixtures.ToolWindowFixture import com.intellij.testGuiFramework.framework.GuiTestUtil import com.intellij.testGuiFramework.framework.Timeouts import com.intellij.ui.content.Content import org.fest.swing.core.GenericTypeMatcher import org.fest.swing.core.Robot import org.fest.swing.timing.Timeout import org.junit.Assert class FlutterMessagesToolWindowFixture(project: Project, robot: Robot) : ToolWindowFixture(ToolWindowId.MESSAGES_WINDOW, project, robot) { fun getFlutterContent(appName: String): FlutterContentFixture { val content = getContent("[$appName] Flutter") Assert.assertNotNull(content) return FlutterContentFixture(content!!) } inner class FlutterContentFixture(val myContent: Content) { fun findMessageContainingText(text: String, timeout: Timeout = Timeouts.seconds30): FlutterMessageFixture { val element = doFindMessage(text, timeout) return createFixture(element) } private fun robot(): Robot { return (this@FlutterMessagesToolWindowFixture).myRobot } private fun createFixture(found: ConsoleViewImpl): FlutterMessageFixture { return FlutterMessageFixture(robot(), found) } private fun doFindMessage(matcher: String, timeout: Timeout): ConsoleViewImpl { return GuiTestUtil.waitUntilFound(robot(), myContent.component, object : GenericTypeMatcher<ConsoleViewImpl>(ConsoleViewImpl::class.java) { override fun isMatching(panel: ConsoleViewImpl): Boolean { if (panel.javaClass.name.startsWith(ConsoleViewImpl::class.java.name) && panel.isShowing) { val doc = panel.editor.document return (doc.text.contains(matcher)) } return false } }, timeout) } } } // Modeled after MessagesToolWindowFixture.MessageFixture but used with consoles rather than error trees. class FlutterMessageFixture(val robot: Robot, val target: ConsoleViewImpl) { fun getText(): String { return target.editor.document.text } fun findHyperlink(p0: String): MessagesToolWindowFixture.HyperlinkFixture { TODO("not implemented") } }
flutter-intellij/flutter-gui-tests/testSrc/io/flutter/tests/gui/fixtures/FlutterMessagesToolWindowFixture.kt/0
{ "file_path": "flutter-intellij/flutter-gui-tests/testSrc/io/flutter/tests/gui/fixtures/FlutterMessagesToolWindowFixture.kt", "repo_id": "flutter-intellij", "token_count": 901 }
458
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter; import com.intellij.framework.FrameworkType; import com.intellij.framework.detection.DetectionExcludesConfiguration; import com.intellij.ide.plugins.IdeaPluginDescriptor; import com.intellij.ide.plugins.PluginManagerCore; import com.intellij.notification.Notification; import com.intellij.notification.NotificationType; import com.intellij.notification.Notifications; import com.intellij.openapi.actionSystem.AnAction; import com.intellij.openapi.actionSystem.AnActionEvent; import com.intellij.openapi.application.ApplicationManager; import com.intellij.openapi.diagnostic.Logger; import com.intellij.openapi.extensions.PluginId; import com.intellij.openapi.project.DumbAware; import com.intellij.openapi.project.DumbService; import com.intellij.openapi.project.Project; import com.intellij.openapi.project.ProjectType; import com.intellij.openapi.project.ProjectTypeService; import com.intellij.openapi.startup.StartupActivity; import com.intellij.openapi.ui.Messages; import icons.FlutterIcons; import io.flutter.analytics.TimeTracker; import io.flutter.bazel.WorkspaceCache; import io.flutter.jxbrowser.JxBrowserManager; import io.flutter.pub.PubRoot; import io.flutter.pub.PubRoots; import io.flutter.sdk.FlutterSdk; import io.flutter.utils.AndroidUtils; import io.flutter.utils.FlutterModuleUtils; import org.jetbrains.android.facet.AndroidFrameworkDetector; import org.jetbrains.annotations.NotNull; /** * Runs startup actions just after a project is opened, before it's indexed. * * @see FlutterInitializer for actions that run later. */ public class ProjectOpenActivity implements StartupActivity, DumbAware { public static final ProjectType FLUTTER_PROJECT_TYPE = new ProjectType("io.flutter"); private static final Logger LOG = Logger.getInstance(ProjectOpenActivity.class); public ProjectOpenActivity() { } @Override public void runActivity(@NotNull Project project) { TimeTracker.getInstance(project).onProjectOpen(); // TODO(helinx): We don't have a good way to check whether a Bazel project is using Flutter. Look into whether we can // build a better Flutter Bazel check into `declaresFlutter` so we don't need the second condition. if (!FlutterModuleUtils.declaresFlutter(project) && !WorkspaceCache.getInstance(project).isBazel()) { return; } // Set up JxBrowser listening and check if it's already enabled. JxBrowserManager.getInstance().listenForSettingChanges(project); JxBrowserManager.getInstance().setUp(project); excludeAndroidFrameworkDetector(project); final FlutterSdk sdk = FlutterSdk.getIncomplete(project); if (sdk == null) { // We can't do anything without a Flutter SDK. // Note: this branch is taken when opening a project immediately after creating it -- not sure that is expected. return; } // Report time when indexing finishes. DumbService.getInstance(project).runWhenSmart(() -> { FlutterInitializer.getAnalytics().sendEventMetric( "startup", "indexingFinished", project.getService(TimeTracker.class).millisSinceProjectOpen(), FlutterSdk.getFlutterSdk(project) ); }); ApplicationManager.getApplication().executeOnPooledThread(() -> { sdk.queryFlutterConfig("android-studio-dir", false); }); if (FlutterUtils.isAndroidStudio() && !FLUTTER_PROJECT_TYPE.equals(ProjectTypeService.getProjectType(project))) { if (!AndroidUtils.isAndroidProject(project)) { ProjectTypeService.setProjectType(project, FLUTTER_PROJECT_TYPE); } } // If this project is intended as a bazel project, don't run the pub alerts. if (WorkspaceCache.getInstance(project).isBazel()) { return; } for (PubRoot pubRoot : PubRoots.forProject(project)) { if (!pubRoot.hasUpToDatePackages()) { Notifications.Bus.notify(new PackagesOutOfDateNotification(project, pubRoot), project); } } } private static void excludeAndroidFrameworkDetector(@NotNull Project project) { if (FlutterUtils.isAndroidStudio()) { return; } IdeaPluginDescriptor desc; if (PluginManagerCore.getPlugin(PluginId.getId("org.jetbrains.android")) == null) { return; } try { final DetectionExcludesConfiguration excludesConfiguration = DetectionExcludesConfiguration.getInstance(project); try { final FrameworkType type = new AndroidFrameworkDetector().getFrameworkType(); if (!excludesConfiguration.isExcludedFromDetection(type)) { excludesConfiguration.addExcludedFramework(type); } } catch (NullPointerException ignored) { // If the Android facet has not been configured then getFrameworkType() throws a NPE. } } catch (NoClassDefFoundError ignored) { // This should never happen. But just in case ... } } private static class PackagesOutOfDateNotification extends Notification { @NotNull private final Project myProject; @NotNull private final PubRoot myRoot; public PackagesOutOfDateNotification(@NotNull Project project, @NotNull PubRoot root) { super("Flutter Packages", FlutterIcons.Flutter, "Flutter pub get.", null, "The pubspec.yaml file has been modified since " + "the last time 'flutter pub get' was run.", NotificationType.INFORMATION, null); myProject = project; myRoot = root; //noinspection DialogTitleCapitalization addAction(new AnAction("Run 'flutter pub get'") { @Override public void actionPerformed(@NotNull AnActionEvent event) { expire(); final FlutterSdk sdk = FlutterSdk.getFlutterSdk(project); if (sdk == null) { Messages.showErrorDialog(project, "Flutter SDK not found", "Error"); return; } if (sdk.startPubGet(root, project) == null) { Messages.showErrorDialog("Unable to run 'flutter pub get'", "Error"); } } }); } } }
flutter-intellij/flutter-idea/src/io/flutter/ProjectOpenActivity.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/ProjectOpenActivity.java", "repo_id": "flutter-intellij", "token_count": 2150 }
459
/* * Copyright 2016 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.actions; import com.intellij.openapi.actionSystem.*; import com.intellij.openapi.project.DumbAwareAction; import com.intellij.openapi.project.Project; import io.flutter.utils.FlutterModuleUtils; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.ArrayList; import java.util.Arrays; import java.util.List; /** * A "retargeting" action that redirects to another action that is setup elsewhere with * context required to execute. */ public abstract class FlutterRetargetAppAction extends DumbAwareAction { public static final String RELOAD_DISPLAY_ID = "Flutter Commands"; //NON-NLS @NotNull private final String myActionId; @NotNull private final List<String> myPlaces = new ArrayList<>(); FlutterRetargetAppAction(@NotNull String actionId, @Nullable String text, @Nullable String description, @SuppressWarnings("SameParameterValue") @NotNull String... places) { super(text, description, null); myActionId = actionId; myPlaces.addAll(Arrays.asList(places)); } public @NotNull ActionUpdateThread getActionUpdateThread() { return ActionUpdateThread.BGT; } @Override public void actionPerformed(AnActionEvent e) { final AnAction action = getAction(e.getProject()); if (action != null) { action.actionPerformed(e); } } @Override public void update(AnActionEvent e) { final Presentation presentation = e.getPresentation(); final Project project = e.getProject(); if (project == null || !FlutterModuleUtils.hasFlutterModule(project) || !myPlaces.contains(e.getPlace())) { presentation.setVisible(false); return; } presentation.setVisible(true); presentation.setEnabled(false); // Retargeted actions defer to their targets for presentation updates. final AnAction action = getAction(project); if (action != null) { final Presentation template = action.getTemplatePresentation(); final String text = template.getTextWithMnemonic(); if (text != null) { presentation.setText(text, true); } action.update(e); } } private AnAction getAction(@Nullable Project project) { return project == null ? null : ProjectActions.getAction(project, myActionId); } }
flutter-intellij/flutter-idea/src/io/flutter/actions/FlutterRetargetAppAction.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/actions/FlutterRetargetAppAction.java", "repo_id": "flutter-intellij", "token_count": 869 }
460
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.android; import com.intellij.openapi.extensions.ExtensionPointName; import com.intellij.openapi.project.Project; import org.jetbrains.annotations.NotNull; public interface GradleSyncProvider { ExtensionPointName<GradleSyncProvider> EP_NAME = ExtensionPointName.create("io.flutter.gradleSyncProvider"); void scheduleSync(@NotNull Project project); }
flutter-intellij/flutter-idea/src/io/flutter/android/GradleSyncProvider.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/android/GradleSyncProvider.java", "repo_id": "flutter-intellij", "token_count": 157 }
461
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.dart; import com.google.gson.JsonArray; import com.google.gson.JsonElement; import com.google.gson.JsonObject; import com.google.gson.JsonPrimitive; import org.dartlang.analysis.server.protocol.FlutterWidgetPropertyValue; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.List; import java.util.Map; /** * A utilities class for generating analysis server json requests. */ public class FlutterRequestUtilities { private static final String FILE = "file"; private static final String ID = "id"; private static final String VALUE = "value"; private static final String METHOD = "method"; private static final String PARAMS = "params"; private static final String OFFSET = "offset"; private static final String SUBSCRIPTIONS = "subscriptions"; private static final String METHOD_FLUTTER_GET_CHANGE_ADD_FOR_DESIGN_TIME_CONSTRUCTOR = "flutter.getChangeAddForDesignTimeConstructor"; private static final String METHOD_FLUTTER_SET_SUBSCRIPTIONS = "flutter.setSubscriptions"; private static final String METHOD_FLUTTER_GET_WIDGET_DESCRIPTION = "flutter.getWidgetDescription"; private static final String METHOD_FLUTTER_SET_WIDGET_PROPERTY_VALUE = "flutter.setWidgetPropertyValue"; private FlutterRequestUtilities() { } public static JsonObject generateFlutterGetWidgetDescription(String id, String file, int offset) { final JsonObject params = new JsonObject(); params.addProperty(FILE, file); params.addProperty(OFFSET, offset); return buildJsonObjectRequest(id, METHOD_FLUTTER_GET_WIDGET_DESCRIPTION, params); } public static JsonObject generateFlutterSetWidgetPropertyValue(String id, int propertyId, @Nullable FlutterWidgetPropertyValue value) { final JsonObject params = new JsonObject(); params.addProperty(ID, propertyId); // An omitted value indicates that the property should be removed. if (value != null) { params.add(VALUE, value.toJson()); } return buildJsonObjectRequest(id, METHOD_FLUTTER_SET_WIDGET_PROPERTY_VALUE, params); } /** * Generate and return a {@value #METHOD_FLUTTER_SET_SUBSCRIPTIONS} request. * <p> * <pre> * request: { * "id": String * "method": "flutter.setSubscriptions" * "params": { * "subscriptions": Map&gt;FlutterService, List&lt;FilePath&gt;&gt; * } * } * </pre> */ public static JsonObject generateAnalysisSetSubscriptions(String id, Map<String, List<String>> subscriptions) { final JsonObject params = new JsonObject(); params.add(SUBSCRIPTIONS, buildJsonElement(subscriptions)); return buildJsonObjectRequest(id, METHOD_FLUTTER_SET_SUBSCRIPTIONS, params); } @NotNull private static JsonElement buildJsonElement(Object object) { if (object instanceof Boolean) { return new JsonPrimitive((Boolean)object); } else if (object instanceof Number) { return new JsonPrimitive((Number)object); } else if (object instanceof String) { return new JsonPrimitive((String)object); } else if (object instanceof List<?>) { final List<?> list = (List<?>)object; final JsonArray jsonArray = new JsonArray(); for (Object item : list) { final JsonElement jsonItem = buildJsonElement(item); jsonArray.add(jsonItem); } return jsonArray; } else if (object instanceof Map<?, ?>) { final Map<?, ?> map = (Map<?, ?>)object; final JsonObject jsonObject = new JsonObject(); for (Map.Entry<?, ?> entry : map.entrySet()) { final Object key = entry.getKey(); // Prepare the string key. final String keyString; if (key instanceof String) { keyString = (String)key; } else { throw new IllegalArgumentException("Unable to convert to string: " + getClassName(key)); } // Put the value. final Object value = entry.getValue(); final JsonElement valueJson = buildJsonElement(value); jsonObject.add(keyString, valueJson); } return jsonObject; } throw new IllegalArgumentException("Unable to convert to JSON: " + object); } private static JsonObject buildJsonObjectRequest(String idValue, String methodValue) { return buildJsonObjectRequest(idValue, methodValue, null); } private static JsonObject buildJsonObjectRequest(String idValue, String methodValue, JsonObject params) { final JsonObject jsonObject = new JsonObject(); jsonObject.addProperty(ID, idValue); jsonObject.addProperty(METHOD, methodValue); if (params != null) { jsonObject.add(PARAMS, params); } return jsonObject; } /** * Return the name of the given object, may be {@code "null"} string. */ private static String getClassName(Object object) { return object != null ? object.getClass().getName() : "null"; } }
flutter-intellij/flutter-idea/src/io/flutter/dart/FlutterRequestUtilities.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/dart/FlutterRequestUtilities.java", "repo_id": "flutter-intellij", "token_count": 1861 }
462
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.editor; import com.intellij.openapi.Disposable; import com.intellij.openapi.editor.Document; import com.intellij.openapi.ui.popup.Balloon; import com.intellij.openapi.util.TextRange; import com.intellij.openapi.vfs.VirtualFile; import com.intellij.ui.JBColor; import com.intellij.util.ui.JBUI; import com.intellij.util.ui.UIUtil; import io.flutter.inspector.*; import io.flutter.utils.AsyncRateLimiter; import io.flutter.utils.math.Matrix4; import io.flutter.utils.math.Vector3; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.awt.*; import java.awt.event.MouseEvent; import java.awt.geom.AffineTransform; import java.awt.geom.Rectangle2D; import java.util.ArrayList; import java.util.Objects; import java.util.concurrent.CompletableFuture; import static io.flutter.inspector.InspectorService.toSourceLocationUri; import static java.lang.Math.min; /** * Controller that displays interactive screen mirrors for specific widget * subtrees or the entire app. * <p> * This controller abstracts away from the rendering code enough that it can be * used both when rendering previews directly in the code editor and as part of * a regular a regular component. */ public abstract class PreviewViewControllerBase extends WidgetViewController { // Disable popup support initially as it isn't needed given we are showing // properties in the outline view. public static final boolean ENABLE_POPUP_SUPPORT = false; public static final int PREVIEW_PADDING_X = 20; public static final double MOUSE_FRAMES_PER_SECOND = 10.0; public static final double SCREENSHOT_FRAMES_PER_SECOND = 3.0; public static final int PREVIEW_MAX_WIDTH = 280; public static final int PREVIEW_MAX_HEIGHT = 520; private static final Stroke SOLID_STROKE = new BasicStroke(1); private static final Color SHADOW_COLOR = new JBColor(new Color(0, 0, 0, 64), new Color(0, 0, 0, 64)); protected static final int defaultLineHeight = 20; protected final boolean drawBackground; protected Balloon popup; protected Point lastPoint; protected AsyncRateLimiter mouseRateLimiter; protected AsyncRateLimiter screenshotRateLimiter; protected boolean controlDown; protected ArrayList<DiagnosticsNode> currentHits; protected InspectorObjectGroupManager hover; protected InspectorService.ObjectGroup screenshotGroup; protected boolean screenshotDirty = false; protected int extraHeight = 0; protected boolean screenshotLoading; protected boolean popopOpenInProgress; protected boolean altDown; protected Screenshot screenshot; protected ArrayList<DiagnosticsNode> boxes; Rectangle relativeRect; Rectangle lastLockedRectangle; Rectangle screenshotBounds; // Screenshot bounds in absolute window coordinates. Rectangle lastScreenshotBoundsWindow; int maxHeight; boolean _mouseInScreenshot = false; public PreviewViewControllerBase(WidgetViewModelData data, boolean drawBackground, Disposable parent) { super(data, parent); this.drawBackground = drawBackground; } @Override public void dispose() { if (popup != null) { popup.dispose(); popup = null; } if (hover != null) { hover.clear(false); hover = null; } screenshot = null; super.dispose(); } AsyncRateLimiter getMouseRateLimiter() { if (mouseRateLimiter != null) return mouseRateLimiter; mouseRateLimiter = new AsyncRateLimiter(MOUSE_FRAMES_PER_SECOND, () -> { return updateMouse(false); }, this); return mouseRateLimiter; } AsyncRateLimiter getScreenshotRateLimiter() { if (screenshotRateLimiter != null) return screenshotRateLimiter; screenshotRateLimiter = new AsyncRateLimiter(SCREENSHOT_FRAMES_PER_SECOND, this::updateScreenshot, this); return screenshotRateLimiter; } public InspectorObjectGroupManager getHovers() { if (hover != null && hover.getInspectorService() == getInspectorService()) { return hover; } if (getInspectorService() == null) return null; hover = new InspectorObjectGroupManager(getInspectorService(), "hover"); return hover; } public @Nullable InspectorService.ObjectGroup getScreenshotGroup() { if (screenshotGroup != null && screenshotGroup.getInspectorService() == getInspectorService()) { return screenshotGroup; } if (getInspectorService() == null) return null; screenshotGroup = getInspectorService().createObjectGroup("screenshot"); return screenshotGroup; } protected double getDPI() { return JBUI.pixScale(getComponent()); } protected abstract Component getComponent(); protected int toPixels(int value) { return (int)(value * getDPI()); } Rectangle getScreenshotBoundsTight() { // TODO(jacobr): cache this. if (screenshotBounds == null || extraHeight == 0) return screenshotBounds; final Rectangle bounds = new Rectangle(screenshotBounds); bounds.height -= extraHeight; bounds.y += extraHeight; return bounds; } @Override public void onSelectionChanged(DiagnosticsNode selection) { super.onSelectionChanged(selection); if (!visible) { return; } if (getLocation() != null) { // The screenshot is dirty because the selection could influence which // of the widgets matching the location should be displayed. screenshotDirty = true; } // Fetching a screenshot is somewhat slow so we schedule getting just the // bounding boxes before the screenshot arives to show likely correct // bounding boxes sooner. getGroups().cancelNext(); final InspectorService.ObjectGroup nextGroup = getGroups().getNext(); final CompletableFuture<ArrayList<DiagnosticsNode>> selectionResults = nextGroup.getBoundingBoxes(getSelectedElement(), selection); nextGroup.safeWhenComplete(selectionResults, (boxes, error) -> { if (nextGroup.isDisposed()) return; if (error != null || boxes == null) { return; } // To be paranoid, avoid the inspector going out of scope. if (getGroups() == null) return; getGroups().promoteNext(); this.boxes = boxes; forceRender(); }); // Showing just the selected elements is dangerous as they may be out of // sync with the current screenshot if it has changed. To be safe, schedule // a screenshot with the updated UI. getScreenshotRateLimiter().scheduleRequest(); } public CompletableFuture<?> updateMouse(boolean navigateTo) { final InspectorObjectGroupManager hoverGroups = getHovers(); if (hoverGroups == null || ((popupActive() || popopOpenInProgress) && !navigateTo)) { return CompletableFuture.completedFuture(null); } final Screenshot latestScreenshot = getScreenshotNow(); if (screenshotBounds == null || latestScreenshot == null || lastPoint == null || !getScreenshotBoundsTight().contains(lastPoint) || getSelectedElement() == null) { return CompletableFuture.completedFuture(null); } hoverGroups.cancelNext(); final InspectorService.ObjectGroup nextGroup = hoverGroups.getNext(); final Matrix4 matrix = buildTransformToScreenshot(latestScreenshot); matrix.invert(); final Vector3 point = matrix.perspectiveTransform(new Vector3(lastPoint.getX(), lastPoint.getY(), 0)); final String file; final int startLine, endLine; if (controlDown || getVirtualFile() == null) { file = null; } else { file = toSourceLocationUri(getVirtualFile().getPath()); } final TextRange activeRange = getActiveRange(); if (controlDown || activeRange == null || getDocument() == null) { startLine = -1; endLine = -1; } else { startLine = getDocument().getLineNumber(activeRange.getStartOffset()); endLine = getDocument().getLineNumber(activeRange.getEndOffset()); } final CompletableFuture<ArrayList<DiagnosticsNode>> hitResults = nextGroup.hitTest(getSelectedElement(), point.getX(), point.getY(), file, startLine, endLine); nextGroup.safeWhenComplete(hitResults, (hits, error) -> { if (nextGroup.isDisposed()) return; if (error != null || hits == null) { return; } currentHits = hits; hoverGroups.promoteNext(); // TODO(jacobr): consider removing the navigateTo option? if (navigateTo && popopOpenInProgress) { final DiagnosticsNode node = !hits.isEmpty() ? hits.get(0) : null; if (node == null) return; final TransformedRect transform = node.getTransformToRoot(); if (transform != null) { double x, y; final Matrix4 transformMatrix = buildTransformToScreenshot(latestScreenshot); transformMatrix.multiply(transform.getTransform()); final Rectangle2D rect = transform.getRectangle(); final Vector3 transformed = transformMatrix.perspectiveTransform(new Vector3(new double[]{rect.getCenterX(), rect.getMinY(), 0})); final Point pendingPopupOpenLocation = new Point((int)Math.round(transformed.getX()), (int)Math.round(transformed.getY() + 1)); showPopup(pendingPopupOpenLocation, node); } popopOpenInProgress = false; } if (navigateTo && !hits.isEmpty()) { getGroups().getCurrent().setSelection(hits.get(0).getValueRef(), false, false); } forceRender(); }); return hitResults; } protected abstract VirtualFile getVirtualFile(); abstract protected Document getDocument(); protected abstract void showPopup(Point location, DiagnosticsNode node); abstract @Nullable TextRange getActiveRange(); void setMouseInScreenshot(boolean v) { if (_mouseInScreenshot == v) return; _mouseInScreenshot = v; forceRender(); } public void updateMouseCursor() { if (screenshotBounds == null) { setMouseInScreenshot(false); return; } if (lastPoint != null && screenshotBounds.contains(lastPoint)) { // TODO(jacobr): consider CROSSHAIR_CURSOR instead which gives more of // a pixel selection feel. setCustomCursor(Cursor.getPredefinedCursor(Cursor.DEFAULT_CURSOR)); setMouseInScreenshot(true); if (!getScreenshotBoundsTight().contains(lastPoint)) { cancelHovers(); } } else { setCustomCursor(null); _mouseOutOfScreenshot(); } } abstract void setCustomCursor(@Nullable Cursor cursor); void registerLastEvent(MouseEvent event) { lastPoint = event.getPoint(); controlDown = event.isControlDown(); altDown = event.isAltDown(); updateMouseCursor(); } public void onMouseMoved(MouseEvent event) { assert (!event.isConsumed()); registerLastEvent(event); if (_mouseInScreenshot) { event.consume(); if (getScreenshotBoundsTight().contains(lastPoint) && !popupActive()) { getMouseRateLimiter().scheduleRequest(); } } } boolean popupActive() { return popup != null && !popup.isDisposed() || popopOpenInProgress; } protected void _hidePopup() { if (popup != null && !popup.isDisposed()) { popup.dispose(); popup = null; } } public void onMousePressed(MouseEvent event) { registerLastEvent(event); final Point point = event.getPoint(); if (screenshotBounds != null && screenshotBounds.contains(point)) { event.consume(); if (isPopupTrigger(event)) { _hidePopup(); popopOpenInProgress = true; updateMouse(true); } } } private boolean isPopupTrigger(MouseEvent event) { return ENABLE_POPUP_SUPPORT && event.isPopupTrigger(); } @Override public void onMouseReleased(MouseEvent event) { registerLastEvent(event); if (screenshotBounds == null) return; final Point point = event.getPoint(); if (screenshotBounds.contains(point)) { final Rectangle tightBounds = getScreenshotBoundsTight(); event.consume(); if (tightBounds.contains(point)) { if (isPopupTrigger(event)) { _hidePopup(); popopOpenInProgress = true; } updateMouse(true); } else { // Title hit. _hidePopup(); if (elements != null) { if (elements.size() > 1) { int newIndex = this.activeIndex + 1; if (newIndex >= elements.size()) { newIndex = 1; // Wrap around hack case because the first index is out of order. } // TODO(jacobr): we could update activeIndex now instead of waitng for the UI to update. getGroups().getCurrent().setSelection(elements.get(newIndex).getValueRef(), false, true); } else if (elements.size() == 1) { // Select current. getGroups().getCurrent().setSelection(elements.get(0).getValueRef(), false, true); } } } } } public void onMouseExited(MouseEvent event) { lastPoint = null; controlDown = false; altDown = false; setMouseInScreenshot(false); updateMouseCursor(); } public void onFlutterFrame() { fetchScreenshot(false); } public void _mouseOutOfScreenshot() { setMouseInScreenshot(false); lastPoint = null; cancelHovers(); } public void cancelHovers() { hover = getHovers(); if (hover != null) { hover.cancelNext(); controlDown = false; altDown = false; } if (currentHits != null) { currentHits = null; forceRender(); } } public void onMouseEntered(MouseEvent event) { onMouseMoved(event); } void clearState() { screenshotDirty = true; currentHits = new ArrayList<>(); if (hover != null) { hover.clear(true); } screenshot = null; } @Override public void onInspectorAvailabilityChanged() { clearState(); } public void onVisibleChanged() { if (!visible) { _hidePopup(); } if (visible) { computeScreenshotBounds(); if (getInspectorService() != null) { if (screenshot == null || screenshotDirty) { fetchScreenshot(false); } } } } abstract public void computeScreenshotBounds(); @Override public boolean updateVisiblityLocked(Rectangle newRectangle) { if (popupActive()) { lastLockedRectangle = new Rectangle(newRectangle); return true; } if (lastLockedRectangle != null && visible) { if (newRectangle.intersects(lastLockedRectangle)) { return true; } // Stop locking. lastLockedRectangle = null; } return false; } // When visibility is locked, we should try to keep the preview in view even // if the user navigates around the code editor. public boolean isVisiblityLocked() { if (popupActive()) { return true; } if (lastLockedRectangle != null && visible && visibleRect != null) { return visibleRect.intersects(lastLockedRectangle); } return false; } public Screenshot getScreenshotNow() { return screenshot; } /** * Builds a transform that maps global window coordinates to coordinates * within the screenshot. */ protected Matrix4 buildTransformToScreenshot(Screenshot latestScreenshot) { final Matrix4 matrix = Matrix4.identity(); matrix.translate(screenshotBounds.x, screenshotBounds.y + extraHeight, 0); final Rectangle2D imageRect = latestScreenshot.transformedRect.getRectangle(); final double centerX = imageRect.getCenterX(); final double centerY = imageRect.getCenterY(); matrix.translate(-centerX, -centerY, 0); matrix.scale(1 / getDPI(), 1 / getDPI(), 1 / getDPI()); matrix.translate(centerX * getDPI(), centerY * getDPI(), 0); matrix.multiply(latestScreenshot.transformedRect.getTransform()); return matrix; } protected ArrayList<DiagnosticsNode> getNodesToHighlight() { return currentHits != null && !currentHits.isEmpty() ? currentHits : boxes; } protected void clearScreenshot() { if (getScreenshotNow() != null) { screenshot = null; computeScreenshotBounds(); forceRender(); } } @Override public void setElements(ArrayList<DiagnosticsNode> elements) { super.setElements(elements); currentHits = null; boxes = null; } boolean hasCurrentHits() { return currentHits != null && !currentHits.isEmpty(); } public void onMaybeFetchScreenshot() { if (screenshot == null || screenshotDirty) { fetchScreenshot(false); } } void fetchScreenshot(boolean mightBeIncompatible) { if (mightBeIncompatible) { screenshotLoading = true; } screenshotDirty = true; if (!visible) return; getScreenshotRateLimiter().scheduleRequest(); } protected CompletableFuture<InspectorService.InteractiveScreenshot> updateScreenshot() { final InspectorService.ObjectGroup group = getScreenshotGroup(); if (group == null) { return CompletableFuture.completedFuture(null); } final Dimension previewSize = getPreviewSize(); final long startTime = System.currentTimeMillis(); // 0.7 is a tweak to ensure we do not try to download enormous screenshots. final CompletableFuture<InspectorService.InteractiveScreenshot> screenshotFuture = group.getScreenshotAtLocation(getLocation(), 10, toPixels(previewSize.width), toPixels(previewSize.height), getDPI() * 0.7); group.safeWhenComplete( screenshotFuture, (pair, e2) -> { if (e2 != null || group.isDisposed() || getInspectorService() == null) return; if (pair == null) { setElements(null); screenshot = null; boxes = null; } else { setElements(pair.elements); screenshot = pair.screenshot; boxes = pair.boxes; } screenshotDirty = false; screenshotLoading = false; // This calculation might be out of date due to the new screenshot. computeScreenshotBounds(); forceRender(); } ); return screenshotFuture; } protected abstract Dimension getPreviewSize(); public void paint(@NotNull Graphics g, int lineHeight) { final Graphics2D g2d = (Graphics2D)g.create(); // Required to render colors with an alpha channel. Rendering with an // alpha chanel makes it easier to keep relationships between shadows // and lines looking consistent when the background color changes such // as in the case of selection or a different highlighter turning the // background yellow. g2d.setComposite(AlphaComposite.getInstance(AlphaComposite.SRC_OVER, 1)); final Rectangle clip = g2d.getClipBounds(); computeScreenshotBounds(); if (screenshotBounds == null || !clip.intersects(screenshotBounds)) { return; } final Screenshot latestScreenshot = getScreenshotNow(); final int imageWidth = screenshotBounds.width; final int imageHeight = screenshotBounds.height; if (drawBackground) { // TODO(jacobr): draw a shadow around the outline in a more principled way. final int SHADOW_HEIGHT = 5; for (int h = 1; h < SHADOW_HEIGHT; h++) { g2d.setColor(new Color(43, 43, 43, 100 - h * 20)); g2d.fillRect(screenshotBounds.x - h + 1, screenshotBounds.y + min(screenshotBounds.height, imageHeight) + h, min(screenshotBounds.width, imageWidth) + h - 1, 1); g2d.fillRect(screenshotBounds.x - h + 1, screenshotBounds.y - h, min(screenshotBounds.width, imageWidth) + h - 1, 1); g2d.fillRect(screenshotBounds.x - h, screenshotBounds.y - h, 1, imageHeight + 2 * h); } } g2d.clip(screenshotBounds); final Font font = UIUtil.getFont(UIUtil.FontSize.MINI, UIUtil.getTreeFont()); g2d.setFont(font); g2d.setColor(isSelected ? JBColor.GRAY : JBColor.LIGHT_GRAY); if (latestScreenshot != null) { g2d.clip(getScreenshotBoundsTight()); g2d.drawImage(latestScreenshot.image, new AffineTransform(1 / getDPI(), 0f, 0f, 1 / getDPI(), screenshotBounds.x, screenshotBounds.y + extraHeight), null); final java.util.List<DiagnosticsNode> nodesToHighlight = getNodesToHighlight(); // Sometimes it is fine to display even if we are loading. // TODO(jacobr): be smarter and track if the highlights are associated with a different screenshot. if (nodesToHighlight != null && !nodesToHighlight.isEmpty()) { //&& !screenshotLoading) { boolean first = true; for (DiagnosticsNode box : nodesToHighlight) { final TransformedRect transform = box.getTransformToRoot(); if (transform != null) { double x, y; final Matrix4 matrix = buildTransformToScreenshot(latestScreenshot); matrix.multiply(transform.getTransform()); final Rectangle2D rect = transform.getRectangle(); final Vector3[] points = new Vector3[]{ matrix.perspectiveTransform(new Vector3(new double[]{rect.getMinX(), rect.getMinY(), 0})), matrix.perspectiveTransform(new Vector3(new double[]{rect.getMaxX(), rect.getMinY(), 0})), matrix.perspectiveTransform(new Vector3(new double[]{rect.getMaxX(), rect.getMaxY(), 0})), matrix.perspectiveTransform(new Vector3(new double[]{rect.getMinX(), rect.getMaxY(), 0})) }; // The widget's bounding box may be rotated or otherwise // transformed so we can't simply draw a rectangle. final Polygon polygon = new Polygon(); for (Vector3 point : points) { polygon.addPoint((int)Math.round(point.getX()), (int)Math.round(point.getY())); } if (first && !elements.isEmpty() && !Objects.equals(box.getValueRef(), elements.get(0).getValueRef())) { g2d.setColor(FlutterEditorColors.HIGHLIGHTED_RENDER_OBJECT_BORDER_COLOR); g2d.fillPolygon(polygon); } g2d.setStroke(SOLID_STROKE); g2d.setColor(FlutterEditorColors.HIGHLIGHTED_RENDER_OBJECT_BORDER_COLOR); g2d.drawPolygon(polygon); } first = false; } } } else { if (drawBackground) { g2d.setColor(isSelected ? JBColor.GRAY : JBColor.LIGHT_GRAY); g2d.fillRect(screenshotBounds.x, screenshotBounds.y, screenshotBounds.width, screenshotBounds.height); g2d.setColor(FlutterEditorColors.SHADOW_GRAY); } g2d.setColor(JBColor.BLACK); drawMultilineString(g2d, getNoScreenshotMessage(), screenshotBounds.x + 4, screenshotBounds.y + lineHeight - 4, lineHeight); } g2d.setClip(clip); g2d.dispose(); } String getNoScreenshotMessage() { return getInspectorService() == null ? "Run the application to\nactivate device mirror." : "Loading..."; } // TODO(jacobr): perhaps cache and optimize. // This UI is sometimes rendered in the code editor where we can't simply use a JBLabel. protected void drawMultilineString(Graphics g, String s, int x, int y, int lineHeight) { for (String line : s.split("\n")) { g.drawString(line, x, y); y += lineHeight; } } }
flutter-intellij/flutter-idea/src/io/flutter/editor/PreviewViewControllerBase.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/editor/PreviewViewControllerBase.java", "repo_id": "flutter-intellij", "token_count": 8551 }
463
/* * Copyright 2016 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.inspections; import com.intellij.ide.plugins.PluginManagerConfigurable; import com.intellij.openapi.fileEditor.FileEditor; import com.intellij.openapi.module.Module; import com.intellij.openapi.module.ModuleUtilCore; import com.intellij.openapi.options.ShowSettingsUtil; import com.intellij.openapi.project.DumbAware; import com.intellij.openapi.project.Project; import com.intellij.openapi.util.Key; import com.intellij.openapi.util.Version; import com.intellij.openapi.vfs.VirtualFile; import com.intellij.psi.PsiFile; import com.intellij.psi.PsiManager; import com.intellij.ui.EditorNotificationPanel; import com.intellij.ui.EditorNotifications; import com.jetbrains.lang.dart.DartLanguage; import io.flutter.FlutterBundle; import io.flutter.FlutterUtils; import io.flutter.dart.DartPlugin; import io.flutter.utils.FlutterModuleUtils; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; public class IncompatibleDartPluginNotificationProvider extends EditorNotifications.Provider<EditorNotificationPanel> implements DumbAware { private static final Key<EditorNotificationPanel> KEY = Key.create("IncompatibleDartPluginNotificationProvider"); private final Project project; public IncompatibleDartPluginNotificationProvider(@NotNull Project project) { this.project = project; } @Nullable private static EditorNotificationPanel createUpdateDartPanel(@NotNull Project project, @Nullable Module module, @NotNull String currentVersion, @NotNull String minimumVersion) { if (module == null) return null; final EditorNotificationPanel panel = new EditorNotificationPanel(); panel.setText(FlutterBundle.message("flutter.incompatible.dart.plugin.warning", minimumVersion, currentVersion)); panel.createActionLabel(FlutterBundle.message("dart.plugin.update.action.label"), () -> ShowSettingsUtil.getInstance().showSettingsDialog(project, PluginManagerConfigurable.class)); return panel; } private static String getPrintableRequiredDartVersion() { return DartPlugin.getInstance().getMinimumVersion().toCompactString(); } @NotNull @Override public Key<EditorNotificationPanel> getKey() { return KEY; } @Override public EditorNotificationPanel createNotificationPanel(@NotNull VirtualFile file, @NotNull FileEditor fileEditor, @NotNull Project project) { if (!FlutterUtils.isFlutteryFile(file)) return null; final PsiFile psiFile = PsiManager.getInstance(project).findFile(file); if (psiFile == null) return null; if (psiFile.getLanguage() != DartLanguage.INSTANCE) return null; final Module module = ModuleUtilCore.findModuleForPsiElement(psiFile); if (module == null) return null; if (!FlutterModuleUtils.isFlutterModule(module)) return null; final Version minimumVersion = DartPlugin.getInstance().getMinimumVersion(); final Version dartVersion = DartPlugin.getInstance().getVersion(); if (dartVersion.minor == 0 && dartVersion.bugfix == 0) { return null; // Running from sources. } return dartVersion.compareTo(minimumVersion) < 0 ? createUpdateDartPanel(project, module, dartVersion.toCompactString(), getPrintableRequiredDartVersion()) : null; } }
flutter-intellij/flutter-idea/src/io/flutter/inspections/IncompatibleDartPluginNotificationProvider.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/inspections/IncompatibleDartPluginNotificationProvider.java", "repo_id": "flutter-intellij", "token_count": 1438 }
464
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.inspector; import com.intellij.openapi.Disposable; import com.intellij.openapi.actionSystem.DataKey; import com.intellij.openapi.actionSystem.DataProvider; import com.intellij.openapi.actionSystem.PlatformDataKeys; import com.intellij.ui.Gray; import com.intellij.ui.JBColor; import com.intellij.ui.treeStructure.Tree; import com.intellij.util.ui.JBUI; import com.intellij.xdebugger.impl.ui.DebuggerUIUtil; import com.intellij.xdebugger.impl.ui.tree.nodes.XValueNodeImpl; import io.flutter.view.InspectorTreeUI; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import javax.swing.plaf.TreeUI; import javax.swing.plaf.basic.BasicTreeUI; import javax.swing.tree.DefaultMutableTreeNode; import javax.swing.tree.TreeSelectionModel; import java.awt.*; public class InspectorTree extends Tree implements DataProvider { public final boolean detailsSubtree; private DefaultMutableTreeNode highlightedRoot; private TreeScrollAnimator scrollAnimator; public static final DataKey<Tree> INSPECTOR_KEY = DataKey.create("Flutter.InspectorKey"); private static final JBColor VERY_LIGHT_GREY = new JBColor(Gray._220, Gray._65); public DefaultMutableTreeNode getHighlightedRoot() { return highlightedRoot; } public void setHighlightedRoot(DefaultMutableTreeNode value) { if (highlightedRoot == value) { return; } highlightedRoot = value; // TODO(jacobr): we only really need to repaint the selected subtree. repaint(); } @Override protected boolean isWideSelection() { return false; } @Override public void scrollRectToVisible(Rectangle rect) { // By overriding the default scrollRectToVisible behavior we ensure that // all attempts to scroll the tree by the rest of the IntelliJ UI // will go through the scrollAnimator which makes sure all scrolls are // smooth so the user stays better oriented in the tree. // This also allows us to implement custom logic to ensure that the tree view is // automatically scrolled along the X axis to keep the relevant content in // view instead of being scrolled 100s or 10000s of pixels off to the side. scrollAnimator.animateTo(rect); } /** * Escape hatch for cases where need to immediately scroll a rectangle to * visible instead of performing an animated transition. */ public void immediateScrollRectToVisible(Rectangle rect) { super.scrollRectToVisible(rect); } @Override public void setUI(TreeUI ui) { final InspectorTreeUI inspectorTreeUI = ui instanceof InspectorTreeUI ? (InspectorTreeUI)ui : new InspectorTreeUI(); super.setUI(inspectorTreeUI); inspectorTreeUI.setRightChildIndent(JBUI.scale(4)); } public InspectorTree(final DefaultMutableTreeNode treemodel, String treeName, boolean detailsSubtree, String parentTreeName, boolean rootVisible, boolean legacyMode, Disposable parentDisposable) { super(treemodel); setUI(new InspectorTreeUI()); final BasicTreeUI ui = (BasicTreeUI)getUI(); this.detailsSubtree = detailsSubtree; setRootVisible(rootVisible); getSelectionModel().setSelectionMode(TreeSelectionModel.SINGLE_TREE_SELECTION); registerShortcuts(parentDisposable); if (detailsSubtree) { // TODO(devoncarew): This empty text is not showing up for the details area, even when there are no detail nodes. getEmptyText().setText(treeName + " subtree of the selected " + parentTreeName); } else { getEmptyText().setText(treeName + " tree for the running app"); } } void registerShortcuts(Disposable parentDisposable) { DebuggerUIUtil.registerActionOnComponent(InspectorActions.JUMP_TO_TYPE_SOURCE, this, parentDisposable); } @Nullable @Override public Object getData(@NotNull String dataId) { if (InspectorTree.INSPECTOR_KEY.is(dataId)) { return this; } if (PlatformDataKeys.PREDEFINED_TEXT.is(dataId)) { final XValueNodeImpl[] selectedNodes = getSelectedNodes(XValueNodeImpl.class, null); if (selectedNodes.length == 1 && selectedNodes[0].getFullValueEvaluator() == null) { return DebuggerUIUtil.getNodeRawValue(selectedNodes[0]); } } return null; } public void setScrollAnimator(TreeScrollAnimator scrollAnimator) { this.scrollAnimator = scrollAnimator; } }
flutter-intellij/flutter-idea/src/io/flutter/inspector/InspectorTree.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/inspector/InspectorTree.java", "repo_id": "flutter-intellij", "token_count": 1615 }
465
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.logging; import com.intellij.execution.ConsoleFolding; import com.intellij.openapi.project.Project; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.List; /** * Support custom folding on Flutter run and debug consoles. * <p> * Currently this handles folding related to Flutter.Error events. */ public class FlutterConsoleLogFolding extends ConsoleFolding { @Override public boolean shouldFoldLine(@NotNull Project project, @NotNull String line) { return line.startsWith("... "); } @Nullable @Override public String getPlaceholderText(@NotNull Project project, @NotNull List<String> lines) { return " <" + lines.size() + " children>"; // todo: plural } }
flutter-intellij/flutter-idea/src/io/flutter/logging/FlutterConsoleLogFolding.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/logging/FlutterConsoleLogFolding.java", "repo_id": "flutter-intellij", "token_count": 280 }
466
<?xml version="1.0" encoding="UTF-8"?> <form xmlns="http://www.intellij.com/uidesigner/form/" version="1" bind-to-class="io.flutter.module.settings.SettingsHelpForm"> <grid id="27dc6" binding="mainPanel" layout-manager="GridLayoutManager" row-count="1" column-count="1" same-size-horizontally="false" same-size-vertically="false" hgap="-1" vgap="-1"> <margin top="10" left="0" bottom="10" right="0"/> <constraints> <xy x="20" y="20" width="500" height="400"/> </constraints> <properties/> <border type="none"/> <children> <grid id="ec0ab" binding="helpPanel" layout-manager="GridLayoutManager" row-count="6" column-count="2" same-size-horizontally="false" same-size-vertically="false" hgap="-1" vgap="-1"> <margin top="10" left="10" bottom="10" right="10"/> <constraints> <grid row="0" column="0" row-span="1" col-span="1" vsize-policy="3" hsize-policy="3" anchor="0" fill="3" indent="0" use-parent-layout="false"/> </constraints> <properties> <enabled value="true"/> </properties> <border type="etched"/> <children> <component id="3de6a" class="javax.swing.JLabel" binding="helpLabel"> <constraints> <grid row="0" column="0" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <font style="1"/> <opaque value="false"/> <text value="Help: "/> </properties> </component> <vspacer id="d2ba8"> <constraints> <grid row="5" column="0" row-span="1" col-span="1" vsize-policy="6" hsize-policy="1" anchor="0" fill="2" indent="0" use-parent-layout="false"/> </constraints> </vspacer> <component id="f2329" class="javax.swing.JLabel" binding="projectTypeLabel"> <constraints> <grid row="1" column="0" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <font style="1"/> <text value="Project type:"/> </properties> </component> <component id="4655f" class="javax.swing.JLabel" binding="projectTypeDescriptionForApp"> <constraints> <grid row="1" column="1" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <text value="Help for app..."/> </properties> </component> <component id="1706b" class="javax.swing.JLabel" binding="projectTypeDescriptionForPlugin"> <constraints> <grid row="3" column="1" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <text value="Help for plugin..."/> </properties> </component> <grid id="a8d23" layout-manager="GridLayoutManager" row-count="2" column-count="2" same-size-horizontally="false" same-size-vertically="false" hgap="-1" vgap="-1"> <margin top="0" left="0" bottom="0" right="0"/> <constraints> <grid row="0" column="1" row-span="1" col-span="1" vsize-policy="3" hsize-policy="3" anchor="0" fill="3" indent="0" use-parent-layout="false"/> </constraints> <properties/> <border type="none"/> <children> <component id="6a451" class="com.intellij.ui.components.labels.LinkLabel" binding="gettingStartedUrl"> <constraints> <grid row="0" column="0" row-span="1" col-span="1" vsize-policy="6" hsize-policy="6" anchor="0" fill="3" indent="0" use-parent-layout="false"/> </constraints> <properties> <opaque value="false"/> </properties> </component> <hspacer id="cd418"> <constraints> <grid row="0" column="1" row-span="1" col-span="1" vsize-policy="1" hsize-policy="6" anchor="0" fill="1" indent="0" use-parent-layout="false"/> </constraints> </hspacer> <vspacer id="89f69"> <constraints> <grid row="1" column="0" row-span="1" col-span="1" vsize-policy="6" hsize-policy="1" anchor="0" fill="2" indent="0" use-parent-layout="false"/> </constraints> </vspacer> </children> </grid> <grid id="87380" layout-manager="GridLayoutManager" row-count="1" column-count="1" same-size-horizontally="false" same-size-vertically="false" hgap="-1" vgap="-1"> <margin top="0" left="0" bottom="0" right="0"/> <constraints> <grid row="5" column="1" row-span="1" col-span="1" vsize-policy="3" hsize-policy="3" anchor="0" fill="3" indent="0" use-parent-layout="false"/> </constraints> <properties/> <border type="none"/> <children/> </grid> <component id="b3b85" class="javax.swing.JLabel" binding="projectTypeDescriptionForPackage"> <constraints> <grid row="4" column="1" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <text value="Help for package..."/> </properties> </component> <component id="aeed9" class="javax.swing.JLabel" binding="projectTypeDescriptionForModule"> <constraints> <grid row="2" column="1" row-span="1" col-span="1" vsize-policy="0" hsize-policy="0" anchor="8" fill="0" indent="0" use-parent-layout="false"/> </constraints> <properties> <text value="Help for module..."/> </properties> </component> </children> </grid> </children> </grid> </form>
flutter-intellij/flutter-idea/src/io/flutter/module/settings/SettingsHelpForm.form/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/module/settings/SettingsHelpForm.form", "repo_id": "flutter-intellij", "token_count": 3047 }
467
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.perf; import com.google.gson.JsonArray; import java.util.ArrayList; import java.util.List; public class PerfSourceReport { private final PerfReportKind kind; private static final int ENTRY_LENGTH = 2; private final List<Entry> entries; private final long startTime; public PerfSourceReport(JsonArray json, PerfReportKind kind, long startTime) { this.kind = kind; this.startTime = startTime; assert (json.size() % ENTRY_LENGTH == 0); entries = new ArrayList<>(json.size() / ENTRY_LENGTH); for (int i = 0; i < json.size(); i += ENTRY_LENGTH) { entries.add(new Entry( json.get(i).getAsInt(), json.get(i + 1).getAsInt() )); } } PerfReportKind getKind() { return kind; } List<Entry> getEntries() { return entries; } static class Entry { public final int locationId; public final int total; Entry(int locationId, int total) { this.locationId = locationId; this.total = total; } } }
flutter-intellij/flutter-idea/src/io/flutter/perf/PerfSourceReport.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/perf/PerfSourceReport.java", "repo_id": "flutter-intellij", "token_count": 433 }
468
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.performance; import com.intellij.openapi.Disposable; import com.intellij.openapi.diagnostic.Logger; import com.intellij.openapi.util.Disposer; import com.intellij.ui.components.JBPanel; import io.flutter.inspector.HeapDisplay; import io.flutter.run.daemon.FlutterApp; import org.jetbrains.annotations.NotNull; import javax.swing.*; import java.awt.*; public class PerfMemoryPanel extends JBPanel<PerfMemoryPanel> { private static final Logger LOG = Logger.getInstance(PerfMemoryPanel.class); private static final String MEMORY_TAB_LABEL = "Memory usage"; static final int HEIGHT = 140; PerfMemoryPanel(@NotNull FlutterApp app, @NotNull Disposable parentDisposable) { setLayout(new BorderLayout()); setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(), MEMORY_TAB_LABEL)); setMinimumSize(new Dimension(0, PerfMemoryPanel.HEIGHT)); setPreferredSize(new Dimension(Short.MAX_VALUE, PerfMemoryPanel.HEIGHT)); final JPanel heapDisplay = HeapDisplay.createJPanelView(parentDisposable, app); add(heapDisplay, BorderLayout.CENTER); if (app.getVMServiceManager() != null) { app.getVMServiceManager().getHeapMonitor().addPollingClient(); } Disposer.register(parentDisposable, () -> { if (app.getVMServiceManager() != null) { app.getVMServiceManager().getHeapMonitor().removePollingClient(); } }); } }
flutter-intellij/flutter-idea/src/io/flutter/performance/PerfMemoryPanel.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/performance/PerfMemoryPanel.java", "repo_id": "flutter-intellij", "token_count": 546 }
469
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.project; import com.intellij.ProjectTopics; import com.intellij.openapi.diagnostic.Logger; import com.intellij.openapi.project.Project; import com.intellij.openapi.project.ProjectManager; import com.intellij.openapi.project.ProjectManagerListener; import com.intellij.openapi.roots.ModuleRootEvent; import com.intellij.openapi.roots.ModuleRootListener; import com.intellij.util.messages.MessageBusConnection; import io.flutter.FlutterUtils; import org.jetbrains.annotations.NotNull; import java.io.Closeable; import java.util.concurrent.atomic.AtomicReference; /** * Watches a project for module root changes. * * <p>Each ProjectWatch instance represents one subscription. */ public class ProjectWatch implements Closeable { private final @NotNull Runnable callback; // Value is null when unsubscribed. private final AtomicReference<Runnable> unsubscribe = new AtomicReference<>(); private ProjectWatch(@NotNull Project project, @NotNull Runnable callback) { this.callback = callback; final ProjectManagerListener listener = new ProjectManagerListener() { @Override public void projectClosed(@NotNull Project project) { fireEvent(); } }; final ProjectManager manager = ProjectManager.getInstance(); manager.addProjectManagerListener(project, listener); final MessageBusConnection bus = project.getMessageBus().connect(); bus.subscribe(ProjectTopics.PROJECT_ROOTS, new ModuleRootListener() { @Override public void rootsChanged(@NotNull ModuleRootEvent event) { fireEvent(); } }); unsubscribe.set(() -> { bus.disconnect(); manager.removeProjectManagerListener(project, listener); }); } /** * Subscribes to project changes. This includes module root changes and closing the project. */ public static @NotNull ProjectWatch subscribe(@NotNull Project project, @NotNull Runnable callback) { return new ProjectWatch(project, callback); } /** * Unsubscribes this ProjectWatch from events. */ @Override public void close() { final Runnable unsubscribe = this.unsubscribe.getAndSet(null); if (unsubscribe != null) { unsubscribe.run(); } } private void fireEvent() { if (unsubscribe.get() == null) return; try { callback.run(); } catch (Exception e) { FlutterUtils.warn(LOG, "Uncaught exception in ProjectWatch callback", e); close(); // avoid further errors } } private static final Logger LOG = Logger.getInstance(ProjectWatch.class); }
flutter-intellij/flutter-idea/src/io/flutter/project/ProjectWatch.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/project/ProjectWatch.java", "repo_id": "flutter-intellij", "token_count": 867 }
470
/* * Copyright 2016 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run; import com.intellij.execution.configurations.ConfigurationFactory; import com.intellij.execution.configurations.ConfigurationTypeBase; import com.intellij.execution.configurations.RunConfiguration; import com.intellij.execution.configurations.RunConfigurationSingletonPolicy; import com.intellij.openapi.extensions.Extensions; import com.intellij.openapi.project.Project; import com.intellij.psi.search.FileTypeIndex; import com.intellij.psi.search.GlobalSearchScope; import com.jetbrains.lang.dart.DartFileType; import icons.FlutterIcons; import io.flutter.FlutterBundle; import io.flutter.utils.FlutterModuleUtils; import org.jetbrains.annotations.NonNls; import org.jetbrains.annotations.NotNull; public class FlutterRunConfigurationType extends ConfigurationTypeBase { private final Factory factory; public FlutterRunConfigurationType() { super("FlutterRunConfigurationType", FlutterBundle.message("runner.flutter.configuration.name"), FlutterBundle.message("runner.flutter.configuration.description"), FlutterIcons.Flutter); factory = new Factory(this); addFactory(factory); } /** * Defined here for all Flutter run configurations. */ public static boolean doShowFlutterRunConfigurationForProject(@NotNull Project project) { return FileTypeIndex.containsFileOfType(DartFileType.INSTANCE, GlobalSearchScope.projectScope(project)) && FlutterModuleUtils.hasFlutterModule(project); } public Factory getFactory() { return factory; } public static FlutterRunConfigurationType getInstance() { return Extensions.findExtension(CONFIGURATION_TYPE_EP, FlutterRunConfigurationType.class); } public static class Factory extends ConfigurationFactory { public Factory(FlutterRunConfigurationType type) { super(type); } @NotNull @Override @NonNls public String getId() { return "Flutter"; } @Override @NotNull public RunConfiguration createTemplateConfiguration(@NotNull Project project) { return new SdkRunConfig(project, this, "Flutter"); } @Override @NotNull public RunConfiguration createConfiguration(String name, @NotNull RunConfiguration template) { // Override the default name which is always "Unnamed". return super.createConfiguration(template.getProject().getName(), template); } @Override public boolean isApplicable(@NotNull Project project) { return FlutterRunConfigurationType.doShowFlutterRunConfigurationForProject(project); } @NotNull @Override public RunConfigurationSingletonPolicy getSingletonPolicy() { return RunConfigurationSingletonPolicy.MULTIPLE_INSTANCE_ONLY; } } }
flutter-intellij/flutter-idea/src/io/flutter/run/FlutterRunConfigurationType.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/run/FlutterRunConfigurationType.java", "repo_id": "flutter-intellij", "token_count": 898 }
471
/* * Copyright 2016 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run.bazel; import com.intellij.openapi.fileChooser.FileChooserDescriptor; import com.intellij.openapi.fileChooser.FileChooserDescriptorFactory; import com.intellij.openapi.options.ConfigurationException; import com.intellij.openapi.options.SettingsEditor; import com.intellij.openapi.project.Project; import com.intellij.openapi.ui.TextFieldWithBrowseButton; import com.intellij.openapi.util.io.FileUtil; import com.intellij.openapi.util.text.StringUtil; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import javax.swing.*; import static com.jetbrains.lang.dart.ide.runner.server.ui.DartCommandLineConfigurationEditorForm.initDartFileTextWithBrowse; public class FlutterBazelConfigurationEditorForm extends SettingsEditor<BazelRunConfig> { private JPanel myMainPanel; private JTextField myBazelArgs; private JTextField myAdditionalArgs; private JCheckBox myEnableReleaseModeCheckBox; private TextFieldWithBrowseButton myTarget; public FlutterBazelConfigurationEditorForm(final Project project) { final FileChooserDescriptor descriptor = FileChooserDescriptorFactory.createSingleFileDescriptor(); initDartFileTextWithBrowse(project, myTarget); } @Override protected void resetEditorFrom(@NotNull final BazelRunConfig configuration) { final BazelFields fields = configuration.getFields(); myTarget.setText(FileUtil.toSystemDependentName(StringUtil.notNullize(fields.getTarget()))); myEnableReleaseModeCheckBox.setSelected(fields.getEnableReleaseMode()); myBazelArgs.setText(StringUtil.notNullize(fields.getBazelArgs())); myAdditionalArgs.setText(StringUtil.notNullize(fields.getAdditionalArgs())); } @Override protected void applyEditorTo(@NotNull final BazelRunConfig configuration) throws ConfigurationException { String target = myTarget.getText().trim(); final BazelFields fields = new BazelFields( StringUtil.nullize(target.endsWith("dart") ? FileUtil.toSystemIndependentName(target) : target, true), getTextValue(myBazelArgs), getTextValue(myAdditionalArgs), myEnableReleaseModeCheckBox.isSelected() ); configuration.setFields(fields); } @NotNull @Override protected JComponent createEditor() { return myMainPanel; } @Nullable private String getTextValue(@NotNull JTextField textField) { return StringUtil.nullize(textField.getText().trim(), true); } }
flutter-intellij/flutter-idea/src/io/flutter/run/bazel/FlutterBazelConfigurationEditorForm.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/run/bazel/FlutterBazelConfigurationEditorForm.java", "repo_id": "flutter-intellij", "token_count": 825 }
472
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run.common; import com.intellij.execution.ExecutionException; import com.intellij.execution.executors.DefaultDebugExecutor; import com.intellij.execution.executors.DefaultRunExecutor; import com.intellij.execution.runners.ExecutionEnvironment; import io.flutter.run.LaunchState; import org.jetbrains.annotations.NonNls; import org.jetbrains.annotations.NotNull; /** * The IntelliJ launch mode. */ public enum RunMode { @NonNls DEBUG(DefaultDebugExecutor.EXECUTOR_ID, true), @NonNls RUN(DefaultRunExecutor.EXECUTOR_ID, true), @NonNls COVERAGE("Coverage", false), @NonNls PROFILE("PROFILE", false); private final String myModeString; private final boolean mySupportsReload; RunMode(String modeString, boolean supportsReload) { myModeString = modeString; mySupportsReload = supportsReload; } public String mode() { return myModeString; } public boolean supportsReload() { return mySupportsReload; } public boolean isProfiling() { return this == PROFILE; } @NotNull public static RunMode fromEnv(@NotNull ExecutionEnvironment env) throws ExecutionException { final String mode = env.getExecutor().getId(); // Leave this as-is until AS 4.0 is no longer supported. if (DefaultRunExecutor.EXECUTOR_ID.equals(mode)) { return RUN; } else if (DefaultDebugExecutor.EXECUTOR_ID.equals(mode)) { return DEBUG; } else if (COVERAGE.myModeString.equals(mode)) { return COVERAGE; } else if (LaunchState.ANDROID_PROFILER_EXECUTOR_ID.equals(mode)) { return PROFILE; } else { throw new ExecutionException("unsupported run mode: " + mode); } } }
flutter-intellij/flutter-idea/src/io/flutter/run/common/RunMode.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/run/common/RunMode.java", "repo_id": "flutter-intellij", "token_count": 656 }
473
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run.daemon; import com.google.common.collect.ImmutableList; import io.flutter.run.FlutterDevice; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.List; import java.util.Optional; /** * An immutable snapshot of the list of connected devices and current selection. */ class DeviceSelection { static final DeviceSelection EMPTY = new DeviceSelection(ImmutableList.of(), null); @NotNull private final ImmutableList<FlutterDevice> devices; @Nullable private final FlutterDevice selection; private DeviceSelection(@NotNull ImmutableList<FlutterDevice> devices, @Nullable FlutterDevice selected) { this.devices = devices; this.selection = selected; } @NotNull ImmutableList<FlutterDevice> getDevices() { return devices; } @Nullable FlutterDevice getSelection() { return selection; } /** * Returns a new snapshot with the devices changed and the selection updated appropriately. */ @NotNull DeviceSelection withDevices(@NotNull List<FlutterDevice> newDevices) { final String selectedId = selection == null ? null : selection.deviceId(); final Optional<FlutterDevice> selectedDevice = findById(newDevices, selectedId); // If there's no selected device, default the first ephemoral one in the list. final FlutterDevice firstEphemoral = newDevices.stream().filter(FlutterDevice::ephemeral).findFirst().orElse(null); return new DeviceSelection(ImmutableList.copyOf(newDevices), selectedDevice.orElse(firstEphemoral)); } /** * Returns a new snapshot with the given device id selected, if possible. */ @NotNull DeviceSelection withSelection(@Nullable String id) { return new DeviceSelection(devices, findById(devices, id).orElse(selection)); } private static Optional<FlutterDevice> findById(@NotNull List<FlutterDevice> candidates, @Nullable String id) { if (id == null) return Optional.empty(); return candidates.stream().filter((d) -> d.deviceId().equals(id)).findFirst(); } }
flutter-intellij/flutter-idea/src/io/flutter/run/daemon/DeviceSelection.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/run/daemon/DeviceSelection.java", "repo_id": "flutter-intellij", "token_count": 664 }
474
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run.test; import com.intellij.openapi.fileChooser.FileChooserDescriptorFactory; import com.intellij.openapi.options.ConfigurationException; import com.intellij.openapi.options.SettingsEditor; import com.intellij.openapi.project.Project; import com.intellij.openapi.ui.TextFieldWithBrowseButton; import com.intellij.ui.ListCellRendererWrapper; import io.flutter.run.test.TestFields.Scope; import org.jetbrains.annotations.NotNull; import javax.swing.*; import java.awt.event.ActionEvent; import java.io.File; import static com.jetbrains.lang.dart.ide.runner.server.ui.DartCommandLineConfigurationEditorForm.initDartFileTextWithBrowse; import static io.flutter.run.test.TestFields.Scope.*; /** * Settings editor for running Flutter tests. */ public class TestForm extends SettingsEditor<TestConfig> { private JPanel form; private JComboBox<Scope> scope; private JLabel testDirLabel; private TextFieldWithBrowseButton testDir; private JLabel testDirHintLabel; private JLabel testFileLabel; private TextFieldWithBrowseButton testFile; private JLabel testFileHintLabel; private JLabel testNameLabel; private JTextField testName; private JLabel testNameHintLabel; private com.intellij.ui.components.fields.ExpandableTextField additionalArgs; private Scope displayedScope; TestForm(@NotNull Project project) { scope.setModel(new DefaultComboBoxModel<>(new Scope[]{DIRECTORY, FILE, NAME})); scope.addActionListener((ActionEvent e) -> { final Scope next = getScope(); updateFields(next); render(next); }); scope.setRenderer(new ListCellRendererWrapper<Scope>() { @Override public void customize(final JList list, final Scope value, final int index, final boolean selected, final boolean hasFocus) { setText(value.getDisplayName()); } }); initDartFileTextWithBrowse(project, testFile); testDir.addBrowseFolderListener("Test Directory", null, project, FileChooserDescriptorFactory.createSingleFolderDescriptor()); } @NotNull @Override protected JComponent createEditor() { return form; } @Override protected void resetEditorFrom(@NotNull TestConfig config) { final TestFields fields = config.getFields(); final Scope next = fields.getScope(); scope.setSelectedItem(next); switch (next) { case NAME: testName.setText(fields.getTestName()); // fallthrough case FILE: testFile.setText(fields.getTestFile()); break; case DIRECTORY: testDir.setText(fields.getTestDir()); break; } additionalArgs.setText(fields.getAdditionalArgs()); render(next); } @Override protected void applyEditorTo(@NotNull TestConfig config) throws ConfigurationException { final TestFields fields; switch (getScope()) { case NAME: fields = TestFields.forTestName(testName.getText(), testFile.getText()); break; case FILE: fields = TestFields.forFile(testFile.getText()); break; case DIRECTORY: fields = TestFields.forDir(testDir.getText()); break; default: throw new ConfigurationException("unexpected scope: " + scope.getSelectedItem()); } fields.setAdditionalArgs(additionalArgs.getText().trim()); config.setFields(fields); } @NotNull private Scope getScope() { final Object item = scope.getSelectedItem(); // Set in resetEditorForm. assert (item != null); return (Scope)item; } /** * When switching between file and directory scope, update the next field to * a suitable default. */ private void updateFields(Scope next) { if (next == Scope.DIRECTORY && displayedScope != Scope.DIRECTORY) { final String sep = String.valueOf(File.separatorChar); final String path = testFile.getText(); if (path.contains(sep) && path.endsWith(".dart")) { // Remove the last part of the path to get a directory. testDir.setText(path.substring(0, path.lastIndexOf(sep) + 1)); } else if (testDir.getText().isEmpty()) { // Keep the same path; better than starting blank. testDir.setText(path); } } else if (next != Scope.DIRECTORY && displayedScope == Scope.DIRECTORY) { if (testFile.getText().isEmpty()) { testFile.setText(testDir.getText()); } } } /** * Show and hide fields as appropriate for the next scope. */ private void render(Scope next) { testDirLabel.setVisible(next == Scope.DIRECTORY); testDirHintLabel.setVisible(next == Scope.DIRECTORY); testDir.setVisible(next == Scope.DIRECTORY); testFileLabel.setVisible(next != Scope.DIRECTORY); testFileHintLabel.setVisible(next != Scope.DIRECTORY); testFile.setVisible(next != Scope.DIRECTORY); testNameLabel.setVisible(next == Scope.NAME); testNameHintLabel.setVisible(next == Scope.NAME); testName.setVisible(next == Scope.NAME); displayedScope = next; } }
flutter-intellij/flutter-idea/src/io/flutter/run/test/TestForm.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/run/test/TestForm.java", "repo_id": "flutter-intellij", "token_count": 1975 }
475
/* * Copyright 2020 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.sdk; import org.jetbrains.annotations.NonNls; import org.jetbrains.annotations.NotNull; @NonNls public class FlutterSdkChannel { public enum ID { // Do not change this order. An unknown branch is assumed to be off master. STABLE("stable"), BETA("beta"), DEV("dev"), MASTER("master"), UNKNOWN("unknown"); private final String name; ID(String name) { this.name = name; } public String toString() { return name; } @NotNull public static ID fromText(String name) { switch (name) { case "master": return MASTER; case "dev": return DEV; case "beta": return BETA; case "stable": return STABLE; default: return UNKNOWN; } } } @NotNull private final ID channel; @NotNull public static FlutterSdkChannel fromText(@NotNull String text) { return new FlutterSdkChannel(ID.fromText(text)); } private FlutterSdkChannel(@NotNull ID channel) { this.channel = channel; } @NotNull public ID getID() { return channel; } public String toString() { return "channel " + channel; } @NotNull public static String parseChannel(@NotNull String text) { String[] lines = text.split("\n"); // TODO(messick) check windows for (String line : lines) { if (line.startsWith("*")) { return line.substring(2); } } return "unknown"; } }
flutter-intellij/flutter-idea/src/io/flutter/sdk/FlutterSdkChannel.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/sdk/FlutterSdkChannel.java", "repo_id": "flutter-intellij", "token_count": 637 }
476
/* * Copyright 2021 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.toolwindow; import com.intellij.openapi.project.Project; import com.intellij.openapi.wm.ToolWindow; import com.intellij.openapi.wm.ToolWindowManager; import com.intellij.openapi.wm.ex.ToolWindowManagerListener; import io.flutter.view.FlutterView; import org.jetbrains.annotations.NotNull; public class FlutterViewToolWindowManagerListener implements ToolWindowManagerListener { private boolean inspectorIsOpen; private Runnable onWindowOpen; private Runnable onWindowFirstVisible; public FlutterViewToolWindowManagerListener(Project project, ToolWindow toolWindow) { project.getMessageBus().connect().subscribe(ToolWindowManagerListener.TOPIC, this); inspectorIsOpen = toolWindow.isShowStripeButton(); } public void updateOnWindowOpen(Runnable onWindowOpen) { this.onWindowOpen = onWindowOpen; } public void updateOnWindowFirstVisible(Runnable onWindowFirstVisible) { this.onWindowFirstVisible = onWindowFirstVisible; } @Override public void stateChanged(@NotNull ToolWindowManager toolWindowManager) { final ToolWindow inspectorWindow = toolWindowManager.getToolWindow(FlutterView.TOOL_WINDOW_ID); if (inspectorWindow == null) { return; } final boolean newIsOpen = inspectorWindow.isShowStripeButton(); if (newIsOpen != inspectorIsOpen) { inspectorIsOpen = newIsOpen; if (newIsOpen && onWindowOpen != null) { onWindowOpen.run(); } } if (inspectorWindow.isVisible() && onWindowFirstVisible != null) { onWindowFirstVisible.run(); onWindowFirstVisible = null; } } }
flutter-intellij/flutter-idea/src/io/flutter/toolwindow/FlutterViewToolWindowManagerListener.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/toolwindow/FlutterViewToolWindowManagerListener.java", "repo_id": "flutter-intellij", "token_count": 576 }
477
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.utils; import com.google.gson.*; import java.util.HashSet; import java.util.Map; import java.util.Set; import org.apache.commons.lang3.StringUtils; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.io.Reader; import java.util.ArrayList; import java.util.Collections; import java.util.List; import java.util.Objects; public class JsonUtils { private JsonUtils() { } @Nullable public static String getStringMember(@NotNull JsonObject json, @NotNull String memberName) { if (!json.has(memberName)) return null; final JsonElement value = json.get(memberName); return value instanceof JsonNull ? null : value.getAsString(); } public static int getIntMember(@NotNull JsonObject json, @NotNull String memberName) { if (!json.has(memberName)) return -1; final JsonElement value = json.get(memberName); return value instanceof JsonNull ? -1 : value.getAsInt(); } @NotNull public static List<String> getValues(@NotNull JsonObject json, @NotNull String member) { if (!json.has(member)) { return Collections.emptyList(); } final JsonArray rawValues = json.getAsJsonArray(member); final ArrayList<String> values = new ArrayList<>(rawValues.size()); rawValues.forEach(element -> values.add(element.getAsString())); return values; } // JsonObject.keySet() is defined in 2.8.6 but not 2.7. // The 2020.3 version of Android Studio includes both, and 2.7 is first on the class path. public static Set<String> getKeySet(JsonObject obj) { final Set<Map.Entry<String, JsonElement>> entries = obj.entrySet(); final HashSet<String> strings = new HashSet<>(entries.size()); for (Map.Entry<String, JsonElement> entry : entries) { strings.add(entry.getKey()); } return strings; } public static boolean hasJsonData(@Nullable String data) { return StringUtils.isNotEmpty(data) && !Objects.equals(data, "null"); } /** * Parses the specified JSON string into a JsonElement. */ public static JsonElement parseString(String json) throws JsonSyntaxException { return JsonParser.parseString(json); } /** * Parses the specified JSON string into a JsonElement. */ public static JsonElement parseReader(Reader reader) throws JsonIOException, JsonSyntaxException { return JsonParser.parseReader(reader); } }
flutter-intellij/flutter-idea/src/io/flutter/utils/JsonUtils.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/utils/JsonUtils.java", "repo_id": "flutter-intellij", "token_count": 844 }
478
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.utils.animation; /** * A collection of common animation curves. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_in.png * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_in_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_decelerate.png * https://flutter.github.io/assets-for-api-docs/animation/curve_ease.png * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_in.png * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_in_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in.png * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_out.png * https://flutter.github.io/assets-for-api-docs/animation/curve_fast_out_slow_in.png * https://flutter.github.io/assets-for-api-docs/animation/curve_linear.png * <p> * See also: * <p> * * Curve, the interface implemented by the constants available from the * Curves class. */ public class Curves { /** * A LINEAR animation curve. * <p> * This is the identity map over the unit interval: its Curve.transform * method returns its input unmodified. This is useful as a default curve for * cases where a Curve is required but no actual curve is desired. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_linear.png */ public static final Curve LINEAR = new Linear(); /** * A curve where the rate of change starts out quickly and then decelerates; an * upside-down `f(t) = t²` parabola. * <p> * This is equivalent to the Android `DecelerateInterpolator` class with a unit * factor (the default factor). * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_decelerate.png */ public static final Curve DECELERATE = new DecelerateCurve(); /** * A cubic animation curve that speeds up quickly and ends slowly. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_ease.png */ public static final Cubic EASE = new Cubic(0.25, 0.1, 0.25, 1.0); /** * A cubic animation curve that starts slowly and ends quickly. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_in.png */ public static final Cubic EASE_IN = new Cubic(0.42, 0.0, 1.0, 1.0); /** * A cubic animation curve that starts quickly and ends slowly. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_out.png */ public static final Cubic EASE_OUT = new Cubic(0.0, 0.0, 0.58, 1.0); /** * A cubic animation curve that starts slowly, speeds up, and then and ends slowly. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_ease_in_out.png */ public static final Cubic EASE_IN_OUT = new Cubic(0.42, 0.0, 0.58, 1.0); /** * A curve that starts quickly and eases into its final position. * <p> * Over the course of the animation, the object spends more time near its * final destination. As a result, the user isn’t left waiting for the * animation to finish, and the negative effects of motion are minimized. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_fast_out_slow_in.png */ public static final Cubic FAST_OUT_SLOW_IN = new Cubic(0.4, 0.0, 0.2, 1.0); /** * An oscillating curve that grows in magnitude. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_in.png */ public static final Curve BOUNCE_IN = new BounceInCurve(); /** * An oscillating curve that first grows and then shrink in magnitude. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_out.png */ public static final Curve BOUNCE_OUT = new BounceOutCurve(); /** * An oscillating curve that first grows and then shrink in magnitude. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_bounce_in_out.png */ public static final Curve BOUNCE_IN_OUT = new BounceInOutCurve(); /** * An oscillating curve that grows in magnitude while overshooting its bounds. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in.png */ public static final ElasticInCurve ELASTIC_IN = new ElasticInCurve(); /** * An oscillating curve that shrinks in magnitude while overshooting its bounds. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_out.png */ public static final ElasticOutCurve ELASTIC_OUT = new ElasticOutCurve(); /** * An oscillating curve that grows and then shrinks in magnitude while overshooting its bounds. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in_out.png */ public static final ElasticInOutCurve ELASTIC_IN_OUT = new ElasticInOutCurve(); } /** * A curve where the rate of change starts out quickly and then decelerates; an * upside-down `f(t) = t²` parabola. * <p> * This is equivalent to the Android `DecelerateInterpolator` class with a unit * factor (the default factor). * <p> * See Curves.DECELERATE for an instance of this class. */ class DecelerateCurve extends Curve { @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); // Intended to match the behavior of: // https://android.googlesource.com/platform/frameworks/base/+/master/core/java/android/view/animation/DecelerateInterpolator.java // ...as of December 2016. t = 1.0 - t; return 1.0 - t * t; } } /** * The identity map over the unit interval. * <p> * See Curves.LINEAR for an instance of this class. */ class Linear extends Curve { @Override public double transform(double t) { return t; } } /** * An oscillating curve that grows in magnitude. * <p> * See Curves.BOUNCE_IN for an instance of this class. */ class BounceInCurve extends Curve { @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); return 1.0 - BounceInOutCurve._bounce(1.0 - t); } } /** * An oscillating curve that shrink in magnitude. * <p> * See Curves.BOUNCE_OUT for an instance of this class. */ class BounceOutCurve extends Curve { @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); return BounceInOutCurve._bounce(t); } } /** * An oscillating curve that first grows and then shrink in magnitude. * <p> * See Curves.BOUNCE_IN_OUT for an instance of this class. */ class BounceInOutCurve extends Curve { @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); if (t < 0.5) { return (1.0 - _bounce(1.0 - t)) * 0.5; } else { return _bounce(t * 2.0 - 1.0) * 0.5 + 0.5; } } static double _bounce(double t) { if (t < 1.0 / 2.75) { return 7.5625 * t * t; } else if (t < 2 / 2.75) { t -= 1.5 / 2.75; return 7.5625 * t * t + 0.75; } else if (t < 2.5 / 2.75) { t -= 2.25 / 2.75; return 7.5625 * t * t + 0.9375; } t -= 2.625 / 2.75; return 7.5625 * t * t + 0.984375; } } /** * An oscillating curve that grows in magnitude while overshooting its bounds. * <p> * An instance of this class using the default period of 0.4 is available as * Curves.ELASTIC_IN. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in.png */ class ElasticInCurve extends Curve { /** * Creates an elastic-in curve. * <p> * Rather than creating a new instance, consider using Curves.ELASTIC_IN. */ public ElasticInCurve() { this(0.4); } public ElasticInCurve(double period) { this.period = period; } /** * The duration of the oscillation. */ final double period; @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); final double s = period / 4.0; t = t - 1.0; return -Math.pow(2.0, 10.0 * t) * Math.sin((t - s) * (Math.PI * 2.0) / period); } @Override public String toString() { return getClass() + "(" + period + ")"; } } /** * An oscillating curve that shrinks in magnitude while overshooting its bounds. * <p> * An instance of this class using the default period of 0.4 is available as * Curves.ELASTIC_OUT. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_out.png */ class ElasticOutCurve extends Curve { /** * Creates an elastic-out curve. * <p> * Rather than creating a new instance, consider using Curves.ELASTIC_OUT. */ public ElasticOutCurve() { this(0.4); } public ElasticOutCurve(double period) { this.period = period; } /** * The duration of the oscillation. */ final double period; @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); final double s = period / 4.0; return Math.pow(2.0, -10 * t) * Math.sin((t - s) * (Math.PI * 2.0) / period) + 1.0; } @Override public String toString() { return getClass() + "(" + period + ")"; } } /** * An oscillating curve that grows and then shrinks in magnitude while * overshooting its bounds. * <p> * An instance of this class using the default period of 0.4 is available as * Curves.ELASTIC_IN_OUT. * <p> * https://flutter.github.io/assets-for-api-docs/animation/curve_elastic_in_out.png */ class ElasticInOutCurve extends Curve { /** * Creates an elastic-in-out curve. * <p> * Rather than creating a new instance, consider using Curves.ELASTIC_IN_OUT. */ public ElasticInOutCurve() { this(0.4); } public ElasticInOutCurve(double period) { this.period = 0.4; } /** * The duration of the oscillation. */ final double period; @Override public double transform(double t) { assert (t >= 0.0 && t <= 1.0); final double s = period / 4.0; t = 2.0 * t - 1.0; if (t < 0.0) { return -0.5 * Math.pow(2.0, 10.0 * t) * Math.sin((t - s) * (Math.PI * 2.0) / period); } else { return Math.pow(2.0, -10.0 * t) * Math.sin((t - s) * (Math.PI * 2.0) / period) * 0.5 + 1.0; } } @Override public String toString() { return getClass() + "(" + period + ")"; } }
flutter-intellij/flutter-idea/src/io/flutter/utils/animation/Curves.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/utils/animation/Curves.java", "repo_id": "flutter-intellij", "token_count": 3940 }
479
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.view; import com.google.common.annotations.VisibleForTesting; import com.intellij.execution.runners.ExecutionUtil; import com.intellij.execution.ui.layout.impl.JBRunnerTabs; import com.intellij.icons.AllIcons; import com.intellij.ide.browsers.BrowserLauncher; import com.intellij.ide.ui.UISettingsListener; import com.intellij.openapi.Disposable; import com.intellij.openapi.actionSystem.*; import com.intellij.openapi.application.ApplicationManager; import com.intellij.openapi.components.PersistentStateComponent; import com.intellij.openapi.components.Storage; import com.intellij.openapi.diagnostic.Logger; import com.intellij.openapi.editor.colors.EditorColorsListener; import com.intellij.openapi.editor.colors.EditorColorsManager; import com.intellij.openapi.project.Project; import com.intellij.openapi.ui.SimpleToolWindowPanel; import com.intellij.openapi.ui.VerticalFlowLayout; import com.intellij.openapi.util.ActionCallback; import com.intellij.openapi.util.ActiveRunnable; import com.intellij.openapi.util.Disposer; import com.intellij.openapi.wm.IdeFocusManager; import com.intellij.openapi.wm.ToolWindow; import com.intellij.openapi.wm.ToolWindowManager; import com.intellij.openapi.wm.ex.ToolWindowManagerEx; import com.intellij.serviceContainer.NonInjectable; import com.intellij.ui.ColorUtil; import com.intellij.ui.IdeBorderFactory; import com.intellij.ui.SideBorder; import com.intellij.ui.SimpleTextAttributes; import com.intellij.ui.components.JBLabel; import com.intellij.ui.components.labels.LinkLabel; import com.intellij.ui.components.labels.LinkListener; import com.intellij.ui.content.Content; import com.intellij.ui.content.ContentManager; import com.intellij.ui.content.ContentManagerAdapter; import com.intellij.ui.content.ContentManagerEvent; import com.intellij.ui.tabs.TabInfo; import com.intellij.util.messages.MessageBusConnection; import com.intellij.util.ui.JBUI; import com.intellij.util.ui.UIUtil; import com.intellij.xdebugger.XSourcePosition; import icons.FlutterIcons; import io.flutter.FlutterBundle; import io.flutter.FlutterInitializer; import io.flutter.FlutterUtils; import io.flutter.bazel.WorkspaceCache; import io.flutter.devtools.DevToolsIdeFeature; import io.flutter.devtools.DevToolsUrl; import io.flutter.inspector.DiagnosticsNode; import io.flutter.inspector.InspectorGroupManagerService; import io.flutter.inspector.InspectorService; import io.flutter.inspector.InspectorSourceLocation; import io.flutter.jxbrowser.*; import io.flutter.run.FlutterDevice; import io.flutter.run.daemon.DevToolsInstance; import io.flutter.run.daemon.DevToolsService; import io.flutter.run.daemon.FlutterApp; import io.flutter.sdk.FlutterSdk; import io.flutter.sdk.FlutterSdkVersion; import io.flutter.settings.FlutterSettings; import io.flutter.toolwindow.FlutterViewToolWindowManagerListener; import io.flutter.utils.AsyncUtils; import io.flutter.utils.EventStream; import io.flutter.utils.JxBrowserUtils; import io.flutter.vmService.ServiceExtensions; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import javax.swing.*; import java.awt.*; import java.util.List; import java.util.*; import java.util.concurrent.CompletableFuture; import java.util.concurrent.atomic.AtomicReference; import java.util.concurrent.TimeoutException; @com.intellij.openapi.components.State( name = "FlutterView", storages = {@Storage("$WORKSPACE_FILE$")} ) public class FlutterView implements PersistentStateComponent<FlutterViewState>, Disposable { private static final Logger LOG = Logger.getInstance(FlutterView.class); private static class PerAppState extends AppState { ArrayList<InspectorPanel> inspectorPanels = new ArrayList<>(); boolean sendRestartNotificationOnNextFrame = false; public void dispose() { for (InspectorPanel panel : inspectorPanels) { Disposer.dispose(panel); } } } public static final String TOOL_WINDOW_ID = "Flutter Inspector"; public static final String WIDGET_TAB_LABEL = "Widgets"; public static final String RENDER_TAB_LABEL = "Render Tree"; public static final String PERFORMANCE_TAB_LABEL = "Performance"; protected static final String INSTALLATION_IN_PROGRESS_LABEL = "Installing JxBrowser and DevTools..."; protected static final String INSTALLATION_TIMED_OUT_LABEL = "Waiting for JxBrowser installation timed out. Restart your IDE to try again."; protected static final String INSTALLATION_WAIT_FAILED = "The JxBrowser installation failed unexpectedly. Restart your IDE to try again."; protected static final String DEVTOOLS_FAILED_LABEL = "Setting up DevTools failed."; protected static final int INSTALLATION_WAIT_LIMIT_SECONDS = 2000; protected final EventStream<Boolean> shouldAutoHorizontalScroll = new EventStream<>(FlutterViewState.AUTO_SCROLL_DEFAULT); protected final EventStream<Boolean> highlightNodesShownInBothTrees = new EventStream<>(FlutterViewState.HIGHLIGHT_NODES_SHOWN_IN_BOTH_TREES_DEFAULT); @NotNull private final FlutterViewState state = new FlutterViewState(); @NotNull private final Project myProject; private final Map<FlutterApp, PerAppState> perAppViewState = new HashMap<>(); private final MessageBusConnection busConnection; private boolean busSubscribed = false; private Content emptyContent; private FlutterViewToolWindowManagerListener toolWindowListener; private int devToolsInstallCount = 0; private final JxBrowserUtils jxBrowserUtils; private final JxBrowserManager jxBrowserManager; public FlutterView(@NotNull Project project) { this(project, JxBrowserManager.getInstance(), new JxBrowserUtils(), InspectorGroupManagerService.getInstance(project), ApplicationManager.getApplication().getMessageBus().connect()); } @VisibleForTesting @NonInjectable protected FlutterView(@NotNull Project project, @NotNull JxBrowserManager jxBrowserManager, JxBrowserUtils jxBrowserUtils, InspectorGroupManagerService inspectorGroupManagerService, MessageBusConnection messageBusConnection) { myProject = project; this.jxBrowserUtils = jxBrowserUtils; this.jxBrowserManager = jxBrowserManager; this.busConnection = messageBusConnection; shouldAutoHorizontalScroll.listen(state::setShouldAutoScroll); highlightNodesShownInBothTrees.listen(state::setHighlightNodesShownInBothTrees); inspectorGroupManagerService.addListener(new InspectorGroupManagerService.Listener() { @Override public void onInspectorAvailable(InspectorService service) { } @Override public void onSelectionChanged(DiagnosticsNode selection) { if (selection != null) { final InspectorSourceLocation location = selection.getCreationLocation(); if (location != null) { final XSourcePosition sourcePosition = location.getXSourcePosition(); if (sourcePosition != null) { sourcePosition.createNavigatable(project).navigate(true); } } if (selection.isCreatedByLocalProject()) { final XSourcePosition position = selection.getCreationLocation().getXSourcePosition(); if (position != null) { position.createNavigatable(project).navigate(false); } } } } }, this); } @Override public void dispose() { busConnection.disconnect(); Disposer.dispose(this); } @NotNull @Override public FlutterViewState getState() { return state; } @NotNull public Project getProject() { return myProject; } @Override public void loadState(@NotNull FlutterViewState state) { this.state.copyFrom(state); shouldAutoHorizontalScroll.setValue(this.state.getShouldAutoScroll()); highlightNodesShownInBothTrees.setValue(this.state.getHighlightNodesShownInBothTrees()); } void initToolWindow(ToolWindow window) { if (window.isDisposed()) return; updateForEmptyContent(window); } private DefaultActionGroup createToolbar(@NotNull ToolWindow toolWindow, @NotNull FlutterApp app, InspectorService inspectorService) { final DefaultActionGroup toolbarGroup = new DefaultActionGroup(); final PerAppState state = getOrCreateStateForApp(app); if (inspectorService != null) { toolbarGroup.addSeparator(); toolbarGroup.add(state.registerAction(new ForceRefreshAction(app, inspectorService))); } toolbarGroup.addSeparator(); toolbarGroup.add(state.registerAction(new PerformanceOverlayAction(app))); toolbarGroup.addSeparator(); toolbarGroup.add(state.registerAction(new DebugPaintAction(app))); toolbarGroup.add(state.registerAction(new ShowPaintBaselinesAction(app, true))); toolbarGroup.addSeparator(); toolbarGroup.add(state.registerAction(new TimeDilationAction(app, true))); toolbarGroup.addSeparator(); toolbarGroup.add(new TogglePlatformAction(app, getOrCreateStateForApp(app))); final FlutterViewAction selectModeAction = state.registerAction(new ToggleSelectWidgetMode(app)); final FlutterViewAction legacySelectModeAction = state.registerAction(new ToggleOnDeviceWidgetInspector(app)); final FlutterViewAction[] currentExtension = {null}; assert (app.getVMServiceManager() != null); app.getVMServiceManager().hasServiceExtension(ServiceExtensions.enableOnDeviceInspector.getExtension(), (hasExtension) -> { if (toolWindow.isDisposed() || myProject.isDisposed()) return; final FlutterViewAction nextExtension = hasExtension ? selectModeAction : legacySelectModeAction; if (currentExtension[0] != nextExtension) { if (currentExtension[0] != null) { toolbarGroup.remove(currentExtension[0]); } toolbarGroup.add(nextExtension, Constraints.FIRST); currentExtension[0] = nextExtension; } }); return toolbarGroup; } private PerAppState getStateForApp(FlutterApp app) { return perAppViewState.get(app); } private PerAppState getOrCreateStateForApp(FlutterApp app) { return perAppViewState.computeIfAbsent(app, k -> new PerAppState()); } private void addBrowserInspectorViewContent(FlutterApp app, @Nullable InspectorService inspectorService, ToolWindow toolWindow, boolean isEmbedded, DevToolsIdeFeature ideFeature, DevToolsInstance devToolsInstance) { assert(SwingUtilities.isEventDispatchThread()); final ContentManager contentManager = toolWindow.getContentManager(); final FlutterDevice device = app.device(); final List<FlutterDevice> existingDevices = new ArrayList<>(); for (FlutterApp otherApp : perAppViewState.keySet()) { existingDevices.add(otherApp.device()); } final String tabName = device.getUniqueName(existingDevices); if (emptyContent != null) { contentManager.removeContent(emptyContent, true); emptyContent = null; } final String browserUrl = app.getConnector().getBrowserUrl(); FlutterSdk flutterSdk = FlutterSdk.getFlutterSdk(app.getProject()); FlutterSdkVersion flutterSdkVersion = flutterSdk == null ? null : flutterSdk.getVersion(); if (isEmbedded) { final String color = ColorUtil.toHex(UIUtil.getEditorPaneBackground()); final DevToolsUrl devToolsUrl = new DevToolsUrl( devToolsInstance.host, devToolsInstance.port, browserUrl, "inspector", true, color, UIUtil.getFontSize(UIUtil.FontSize.NORMAL), flutterSdkVersion, WorkspaceCache.getInstance(app.getProject()), ideFeature ); //noinspection CodeBlock2Expr ApplicationManager.getApplication().invokeLater(() -> { embeddedBrowserOptional().ifPresent(embeddedBrowser -> embeddedBrowser.openPanel(contentManager, tabName, devToolsUrl, (String error) -> { // If the embedded browser doesn't work, offer a link to open in the regular browser. final List<LabelInput> inputs = Arrays.asList( new LabelInput("The embedded browser failed to load. Error: " + error), openDevToolsLabel(app, inspectorService, toolWindow, ideFeature) ); presentClickableLabel(toolWindow, inputs); })); }); if (!busSubscribed) { busConnection.subscribe(EditorColorsManager.TOPIC, (EditorColorsListener)scheme -> embeddedBrowserOptional() .ifPresent(embeddedBrowser -> embeddedBrowser.updateColor(ColorUtil.toHex(UIUtil.getEditorPaneBackground()))) ); busConnection.subscribe(UISettingsListener.TOPIC, (UISettingsListener)scheme -> embeddedBrowserOptional() .ifPresent(embeddedBrowser -> embeddedBrowser.updateFontSize(UIUtil.getFontSize(UIUtil.FontSize.NORMAL))) ); busSubscribed = true; } } else { BrowserLauncher.getInstance().browse( (new DevToolsUrl(devToolsInstance.host, devToolsInstance.port, browserUrl, "inspector", false, null, null, flutterSdkVersion, WorkspaceCache.getInstance(app.getProject()), ideFeature).getUrlString()), null ); presentLabel(toolWindow, "DevTools inspector has been opened in the browser."); } } private Optional<EmbeddedBrowser> embeddedBrowserOptional() { if (myProject.isDisposed()) { return Optional.empty(); } return Optional.ofNullable(FlutterUtils.embeddedBrowser(myProject)); } private void addInspectorViewContent(FlutterApp app, @Nullable InspectorService inspectorService, ToolWindow toolWindow) { final ContentManager contentManager = toolWindow.getContentManager(); final SimpleToolWindowPanel toolWindowPanel = new SimpleToolWindowPanel(true); // TODO: Don't switch to JBRunnerTabs(Project, Disposable) until 2020.1. final JBRunnerTabs runnerTabs = new JBRunnerTabs(myProject, ActionManager.getInstance(), IdeFocusManager.getInstance(myProject), this); runnerTabs.setSelectionChangeHandler(this::onTabSelectionChange); final JPanel tabContainer = new JPanel(new BorderLayout()); final String tabName; final FlutterDevice device = app.device(); if (device == null) { tabName = app.getProject().getName(); } else { final List<FlutterDevice> existingDevices = new ArrayList<>(); for (FlutterApp otherApp : perAppViewState.keySet()) { existingDevices.add(otherApp.device()); } tabName = device.getUniqueName(existingDevices); } final Content content = contentManager.getFactory().createContent(null, tabName, false); tabContainer.add(runnerTabs.getComponent(), BorderLayout.CENTER); content.setComponent(tabContainer); content.putUserData(ToolWindow.SHOW_CONTENT_ICON, Boolean.TRUE); content.setIcon(FlutterIcons.Phone); contentManager.addContent(content); if (emptyContent != null) { contentManager.removeContent(emptyContent, true); emptyContent = null; } contentManager.setSelectedContent(content); final PerAppState state = getOrCreateStateForApp(app); assert (state.content == null); state.content = content; final DefaultActionGroup toolbarGroup = createToolbar(toolWindow, app, inspectorService); toolWindowPanel.setToolbar(ActionManager.getInstance().createActionToolbar("FlutterViewToolbar", toolbarGroup, true).getComponent()); toolbarGroup.add(new OverflowAction(getOrCreateStateForApp(app), this, app)); final ActionToolbar toolbar = ActionManager.getInstance().createActionToolbar("InspectorToolbar", toolbarGroup, true); final JComponent toolbarComponent = toolbar.getComponent(); toolbarComponent.setBorder(IdeBorderFactory.createBorder(SideBorder.BOTTOM)); tabContainer.add(toolbarComponent, BorderLayout.NORTH); final boolean debugConnectionAvailable = app.getLaunchMode().supportsDebugConnection(); final boolean hasInspectorService = inspectorService != null; // If the inspector is available (non-release mode), then show it. if (debugConnectionAvailable) { if (hasInspectorService) { final boolean detailsSummaryViewSupported = inspectorService.isDetailsSummaryViewSupported(); addInspectorPanel(WIDGET_TAB_LABEL, runnerTabs, state, InspectorService.FlutterTreeType.widget, app, inspectorService, toolWindow, toolbarGroup, true, detailsSummaryViewSupported); addInspectorPanel(RENDER_TAB_LABEL, runnerTabs, state, InspectorService.FlutterTreeType.renderObject, app, inspectorService, toolWindow, toolbarGroup, false, false); } else { // If in profile mode, add disabled tabs for the inspector. addDisabledTab(WIDGET_TAB_LABEL, runnerTabs, toolbarGroup); addDisabledTab(RENDER_TAB_LABEL, runnerTabs, toolbarGroup); } } else { // Add a message about the inspector not being available in release mode. final JBLabel label = new JBLabel("Inspector not available in release mode", SwingConstants.CENTER); label.setForeground(UIUtil.getLabelDisabledForeground()); tabContainer.add(label, BorderLayout.CENTER); } } private ActionCallback onTabSelectionChange(TabInfo info, boolean requestFocus, @NotNull ActiveRunnable doChangeSelection) { if (info.getComponent() instanceof InspectorTabPanel) { final InspectorTabPanel panel = (InspectorTabPanel)info.getComponent(); panel.setVisibleToUser(true); } final TabInfo previous = info.getPreviousSelection(); // Track analytics for explicit inspector tab selections. // (The initial selection will have no previous, so we filter that out.) if (previous != null) { FlutterInitializer.getAnalytics().sendScreenView( FlutterView.TOOL_WINDOW_ID.toLowerCase() + "/" + info.getText().toLowerCase()); } if (previous != null && previous.getComponent() instanceof InspectorTabPanel) { final InspectorTabPanel panel = (InspectorTabPanel)previous.getComponent(); panel.setVisibleToUser(false); } return doChangeSelection.run(); } private void addInspectorPanel(String displayName, JBRunnerTabs tabs, PerAppState state, InspectorService.FlutterTreeType treeType, FlutterApp app, InspectorService inspectorService, @NotNull ToolWindow toolWindow, DefaultActionGroup toolbarGroup, boolean selectedTab, boolean useSummaryTree) { final InspectorPanel inspectorPanel = new InspectorPanel( this, app, inspectorService, app::isSessionActive, treeType, useSummaryTree, // TODO(jacobr): support the summary tree view for the RenderObject // tree instead of forcing the legacy view for the RenderObject tree. treeType != InspectorService.FlutterTreeType.widget || !inspectorService.isDetailsSummaryViewSupported(), shouldAutoHorizontalScroll, highlightNodesShownInBothTrees ); final TabInfo tabInfo = new TabInfo(inspectorPanel) .append(displayName, SimpleTextAttributes.REGULAR_ATTRIBUTES); tabs.addTab(tabInfo); state.inspectorPanels.add(inspectorPanel); if (selectedTab) { tabs.select(tabInfo, false); } } private void addDisabledTab(String displayName, JBRunnerTabs runnerTabs, DefaultActionGroup toolbarGroup) { final JPanel panel = new JPanel(new BorderLayout()); final JBLabel label = new JBLabel("Widget info not available in profile mode", SwingConstants.CENTER); label.setForeground(UIUtil.getLabelDisabledForeground()); panel.add(label, BorderLayout.CENTER); final TabInfo tabInfo = new TabInfo(panel) .append(displayName, SimpleTextAttributes.GRAYED_ATTRIBUTES); runnerTabs.addTab(tabInfo); } /** * Called when a debug connection starts. */ public void debugActive(@NotNull FlutterViewMessages.FlutterDebugEvent event) { final FlutterApp app = event.app; if (app.getFlutterDebugProcess() == null || app.getFlutterDebugProcess().getInspectorService() == null) { return; } if (app.getMode().isProfiling() || app.getLaunchMode().isProfiling()) { ApplicationManager.getApplication().invokeLater(() -> debugActiveHelper(app, null)); } else { AsyncUtils.whenCompleteUiThread( app.getFlutterDebugProcess().getInspectorService(), (InspectorService inspectorService, Throwable throwable) -> { if (throwable != null) { FlutterUtils.warn(LOG, throwable); return; } debugActiveHelper(app, inspectorService); }); } } protected void handleJxBrowserInstalled(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { presentDevTools(app, inspectorService, toolWindow, true, ideFeature); } private void presentDevTools(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, boolean isEmbedded, DevToolsIdeFeature ideFeature) { verifyEventDispatchThread(); devToolsInstallCount += 1; presentLabel(toolWindow, getInstallingDevtoolsLabel()); openInspectorWithDevTools(app, inspectorService, toolWindow, isEmbedded, ideFeature); setUpToolWindowListener(app, inspectorService, toolWindow, isEmbedded, ideFeature); } @VisibleForTesting protected void verifyEventDispatchThread() { assert(SwingUtilities.isEventDispatchThread()); } @VisibleForTesting protected void setUpToolWindowListener(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, boolean isEmbedded, DevToolsIdeFeature ideFeature) { if (this.toolWindowListener == null) { this.toolWindowListener = new FlutterViewToolWindowManagerListener(myProject, toolWindow); } this.toolWindowListener.updateOnWindowOpen(() -> { devToolsInstallCount += 1; presentLabel(toolWindow, getInstallingDevtoolsLabel()); openInspectorWithDevTools(app, inspectorService, toolWindow, isEmbedded, ideFeature, true); }); } private String getInstallingDevtoolsLabel() { return "<html><body style=\"text-align: center;\">" + FlutterBundle.message("flutter.devtools.installing", devToolsInstallCount) + "</body></html>"; } @VisibleForTesting protected void openInspectorWithDevTools(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, boolean isEmbedded, DevToolsIdeFeature ideFeature) { openInspectorWithDevTools(app, inspectorService, toolWindow, isEmbedded, ideFeature, false); } private void openInspectorWithDevTools(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, boolean isEmbedded, DevToolsIdeFeature ideFeature, boolean forceDevToolsRestart) { AsyncUtils.whenCompleteUiThread( forceDevToolsRestart ? DevToolsService.getInstance(myProject).getDevToolsInstanceWithForcedRestart() : DevToolsService.getInstance(myProject).getDevToolsInstance(), (instance, error) -> { // Skip displaying if the project has been closed. if (!myProject.isOpen()) { return; } // TODO(helinx): Restart DevTools server if there's an error. if (error != null) { LOG.error(error); presentLabel(toolWindow, DEVTOOLS_FAILED_LABEL); return; } if (instance == null) { presentLabel(toolWindow, DEVTOOLS_FAILED_LABEL); return; } addBrowserInspectorViewContent(app, inspectorService, toolWindow, isEmbedded, ideFeature, instance); } ); } private LabelInput openDevToolsLabel(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { return new LabelInput("Open DevTools in the browser?", (linkLabel, data) -> { presentDevTools(app, inspectorService, toolWindow, false, ideFeature); }); } protected void handleJxBrowserInstallationInProgress(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { presentOpenDevToolsOptionWithMessage(app, inspectorService, toolWindow, INSTALLATION_IN_PROGRESS_LABEL, ideFeature); if (jxBrowserManager.getStatus().equals(JxBrowserStatus.INSTALLED)) { handleJxBrowserInstalled(app, inspectorService, toolWindow, ideFeature); } else { startJxBrowserInstallationWaitingThread(app, inspectorService, toolWindow, ideFeature); } } protected void startJxBrowserInstallationWaitingThread(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { ApplicationManager.getApplication().executeOnPooledThread(() -> { waitForJxBrowserInstallation(app, inspectorService, toolWindow, ideFeature); }); } protected void waitForJxBrowserInstallation(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { try { final JxBrowserStatus newStatus = jxBrowserManager.waitForInstallation(INSTALLATION_WAIT_LIMIT_SECONDS); handleUpdatedJxBrowserStatusOnEventThread(app, inspectorService, toolWindow, newStatus, ideFeature); } catch (TimeoutException e) { presentOpenDevToolsOptionWithMessage(app, inspectorService, toolWindow, INSTALLATION_TIMED_OUT_LABEL, ideFeature); FlutterInitializer.getAnalytics().sendEvent(JxBrowserManager.ANALYTICS_CATEGORY, "timedOut"); } } protected void handleUpdatedJxBrowserStatusOnEventThread( FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, JxBrowserStatus jxBrowserStatus, DevToolsIdeFeature ideFeature) { AsyncUtils.invokeLater(() -> handleUpdatedJxBrowserStatus(app, inspectorService, toolWindow, jxBrowserStatus, ideFeature)); } protected void handleUpdatedJxBrowserStatus( FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, JxBrowserStatus jxBrowserStatus, DevToolsIdeFeature ideFeature) { if (jxBrowserStatus.equals(JxBrowserStatus.INSTALLED)) { handleJxBrowserInstalled(app, inspectorService, toolWindow, ideFeature); } else if (jxBrowserStatus.equals(JxBrowserStatus.INSTALLATION_FAILED)) { handleJxBrowserInstallationFailed(app, inspectorService, toolWindow, ideFeature); } else { // newStatus can be null if installation is interrupted or stopped for another reason. presentOpenDevToolsOptionWithMessage(app, inspectorService, toolWindow, INSTALLATION_WAIT_FAILED, ideFeature); } } protected void handleJxBrowserInstallationFailed(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { final List<LabelInput> inputs = new ArrayList<>(); final LabelInput openDevToolsLabel = openDevToolsLabel(app, inspectorService, toolWindow, ideFeature); final InstallationFailedReason latestFailureReason = jxBrowserManager.getLatestFailureReason(); if (!jxBrowserUtils.licenseIsSet()) { // If the license isn't available, allow the user to open the equivalent page in a non-embedded browser window. inputs.add(new LabelInput("The JxBrowser license could not be found.")); inputs.add(openDevToolsLabel); } else if (latestFailureReason != null && latestFailureReason.failureType.equals(FailureType.SYSTEM_INCOMPATIBLE)) { // If we know the system is incompatible, skip retry link and offer to open in browser. inputs.add(new LabelInput(latestFailureReason.detail)); inputs.add(openDevToolsLabel); } else { // Allow the user to manually restart or open the equivalent page in a non-embedded browser window. inputs.add(new LabelInput("JxBrowser installation failed.")); inputs.add(new LabelInput("Retry installation?", (linkLabel, data) -> { jxBrowserManager.retryFromFailed(app.getProject()); handleJxBrowserInstallationInProgress(app, inspectorService, toolWindow, ideFeature); })); inputs.add(openDevToolsLabel); } presentClickableLabel(toolWindow, inputs); } protected void presentLabel(ToolWindow toolWindow, String text) { final JBLabel label = new JBLabel(text, SwingConstants.CENTER); label.setForeground(UIUtil.getLabelDisabledForeground()); replacePanelLabel(toolWindow, label); } protected void presentClickableLabel(ToolWindow toolWindow, List<LabelInput> labels) { final JPanel panel = new JPanel(new GridLayout(0, 1)); for (LabelInput input : labels) { if (input.listener == null) { final JLabel descriptionLabel = new JLabel("<html>" + input.text + "</html>"); descriptionLabel.setBorder(JBUI.Borders.empty(5)); descriptionLabel.setHorizontalAlignment(SwingConstants.CENTER); panel.add(descriptionLabel, BorderLayout.NORTH); } else { final LinkLabel<String> linkLabel = new LinkLabel<>("<html>" + input.text + "</html>", null); linkLabel.setBorder(JBUI.Borders.empty(5)); linkLabel.setListener(input.listener, null); linkLabel.setHorizontalAlignment(SwingConstants.CENTER); panel.add(linkLabel, BorderLayout.SOUTH); } } final JPanel center = new JPanel(new VerticalFlowLayout(VerticalFlowLayout.CENTER)); center.add(panel); replacePanelLabel(toolWindow, center); } protected void presentOpenDevToolsOptionWithMessage(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, String message, DevToolsIdeFeature ideFeature) { final List<LabelInput> inputs = new ArrayList<>(); inputs.add(new LabelInput(message)); inputs.add(openDevToolsLabel(app, inspectorService, toolWindow, ideFeature)); presentClickableLabel(toolWindow, inputs); } private void replacePanelLabel(ToolWindow toolWindow, JComponent label) { ApplicationManager.getApplication().invokeLater(() -> { final ContentManager contentManager = toolWindow.getContentManager(); if (contentManager.isDisposed()) { return; } final JPanel panel = new JPanel(new BorderLayout()); panel.add(label, BorderLayout.CENTER); final Content content = contentManager.getFactory().createContent(panel, null, false); contentManager.removeAllContents(true); contentManager.addContent(content); }); } private void debugActiveHelper(FlutterApp app, @Nullable InspectorService inspectorService) { final ToolWindowManager toolWindowManager = ToolWindowManager.getInstance(myProject); if (!(toolWindowManager instanceof ToolWindowManagerEx)) { return; } final ToolWindow toolWindow = toolWindowManager.getToolWindow(FlutterView.TOOL_WINDOW_ID); if (toolWindow == null) { return; } AtomicReference<DevToolsIdeFeature> ideFeature = new AtomicReference<>(null); if (toolWindow.isAvailable()) { ideFeature.set(updateToolWindowVisibility(toolWindow)); } else { toolWindow.setAvailable(true, () -> { ideFeature.set(updateToolWindowVisibility(toolWindow)); }); } if (emptyContent != null) { final ContentManager contentManager = toolWindow.getContentManager(); contentManager.removeContent(emptyContent, true); emptyContent = null; } toolWindow.setIcon(ExecutionUtil.getLiveIndicator(FlutterIcons.Flutter_13)); if (toolWindow.isVisible()) { displayEmbeddedBrowser(app, inspectorService, toolWindow, ideFeature.get()); } else { if (toolWindowListener == null) { toolWindowListener = new FlutterViewToolWindowManagerListener(myProject, toolWindow); } // If the window isn't visible yet, only executed embedded browser steps when it becomes visible. toolWindowListener.updateOnWindowFirstVisible(() -> { displayEmbeddedBrowser(app, inspectorService, toolWindow, DevToolsIdeFeature.TOOL_WINDOW); }); } } private void displayEmbeddedBrowser(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { if (FlutterSettings.getInstance().isEnableJcefBrowser()) { presentDevTools(app, inspectorService, toolWindow, true, ideFeature); } else { displayEmbeddedBrowserIfJxBrowser(app, inspectorService, toolWindow, ideFeature); } } private void displayEmbeddedBrowserIfJxBrowser(FlutterApp app, InspectorService inspectorService, ToolWindow toolWindow, DevToolsIdeFeature ideFeature) { final JxBrowserManager manager = jxBrowserManager; final JxBrowserStatus jxBrowserStatus = manager.getStatus(); if (jxBrowserStatus.equals(JxBrowserStatus.INSTALLED)) { handleJxBrowserInstalled(app, inspectorService, toolWindow, ideFeature); } else if (jxBrowserStatus.equals(JxBrowserStatus.INSTALLATION_IN_PROGRESS)) { handleJxBrowserInstallationInProgress(app, inspectorService, toolWindow, ideFeature); } else if (jxBrowserStatus.equals(JxBrowserStatus.INSTALLATION_FAILED)) { handleJxBrowserInstallationFailed(app, inspectorService, toolWindow, ideFeature); } else if (jxBrowserStatus.equals(JxBrowserStatus.NOT_INSTALLED) || jxBrowserStatus.equals(JxBrowserStatus.INSTALLATION_SKIPPED)) { manager.setUp(myProject); handleJxBrowserInstallationInProgress(app, inspectorService, toolWindow, ideFeature); } } private void updateForEmptyContent(ToolWindow toolWindow) { // There's a possible race here where the tool window gets disposed while we're displaying contents. if (toolWindow.isDisposed()) { return; } toolWindow.setIcon(FlutterIcons.Flutter_13); // Display a 'No running applications' message. final ContentManager contentManager = toolWindow.getContentManager(); final JPanel panel = new JPanel(new BorderLayout()); final JBLabel label = new JBLabel("No running applications", SwingConstants.CENTER); label.setForeground(UIUtil.getLabelDisabledForeground()); panel.add(label, BorderLayout.CENTER); emptyContent = contentManager.getFactory().createContent(panel, null, false); contentManager.addContent(emptyContent); } private static void listenForRenderTreeActivations(@NotNull ToolWindow toolWindow) { final ContentManager contentManager = toolWindow.getContentManager(); // TODO: Don't switch to ContentManagerListener until 2020.1. contentManager.addContentManagerListener(new ContentManagerAdapter() { @Override public void selectionChanged(@NotNull ContentManagerEvent event) { final ContentManagerEvent.ContentOperation operation = event.getOperation(); if (operation == ContentManagerEvent.ContentOperation.add) { final String name = event.getContent().getTabName(); if (Objects.equals(name, RENDER_TAB_LABEL)) { FlutterInitializer.getAnalytics().sendEvent("inspector", "renderTreeSelected"); } else if (Objects.equals(name, WIDGET_TAB_LABEL)) { FlutterInitializer.getAnalytics().sendEvent("inspector", "widgetTreeSelected"); } } } }); } private void handleFlutterFrame(FlutterApp app) { final PerAppState state = getStateForApp(app); if (state != null && state.sendRestartNotificationOnNextFrame) { state.sendRestartNotificationOnNextFrame = false; notifyActionsOnRestart(app); } } private void notifyActionsAppStarted(FlutterApp app) { final PerAppState state = getStateForApp(app); if (state == null) { return; } for (FlutterViewAction action : state.flutterViewActions) { action.handleAppStarted(); } } private void notifyActionsOnRestart(FlutterApp app) { final PerAppState state = getStateForApp(app); if (state == null) { return; } for (FlutterViewAction action : state.flutterViewActions) { action.handleAppRestarted(); } } private void notifyActionsAppStopped(FlutterApp app) { final PerAppState state = getStateForApp(app); if (state == null) { return; } state.sendRestartNotificationOnNextFrame = false; } private void onAppChanged(FlutterApp app) { if (myProject.isDisposed()) { return; } final ToolWindow toolWindow = ToolWindowManager.getInstance(myProject).getToolWindow(TOOL_WINDOW_ID); if (toolWindow == null) { return; } if (perAppViewState.isEmpty()) { notifyActionsAppStopped(app); } else { notifyActionsAppStarted(app); } final PerAppState state = getStateForApp(app); if (state != null) { for (InspectorPanel inspectorPanel : state.inspectorPanels) { inspectorPanel.onAppChanged(); } } } // Returns true if the toolWindow was initially closed but opened automatically on app launch. private DevToolsIdeFeature updateToolWindowVisibility(ToolWindow flutterToolWindow) { if (flutterToolWindow.isVisible()) { return DevToolsIdeFeature.TOOL_WINDOW_RELOAD; } if (FlutterSettings.getInstance().isOpenInspectorOnAppLaunch()) { flutterToolWindow.show(null); return DevToolsIdeFeature.ON_DEBUG_AUTOMATIC; } return null; } } class FlutterViewDevToolsAction extends FlutterViewAction { private static final Logger LOG = Logger.getInstance(FlutterViewDevToolsAction.class); FlutterViewDevToolsAction(@NotNull FlutterApp app) { super(app, "Open DevTools", "Open Dart DevTools", FlutterIcons.Dart_16); } @Override public void perform(AnActionEvent event) { if (app.isSessionActive()) { final String urlString = app.getConnector().getBrowserUrl(); if (urlString == null) { return; } AsyncUtils.whenCompleteUiThread(DevToolsService.getInstance(app.getProject()).getDevToolsInstance(), (instance, ex) -> { if (app.getProject().isDisposed()) { return; } if (ex != null) { LOG.error(ex); return; } FlutterSdk flutterSdk = FlutterSdk.getFlutterSdk(app.getProject()); BrowserLauncher.getInstance().browse( (new DevToolsUrl(instance.host, instance.port, urlString, null, false, null, null, flutterSdk == null ? null : flutterSdk.getVersion(), WorkspaceCache.getInstance(app.getProject()), null).getUrlString()), null ); }); } } } class RepaintRainbowAction extends FlutterViewToggleableAction { RepaintRainbowAction(@NotNull FlutterApp app) { super(app, FlutterIcons.RepaintRainbow, ServiceExtensions.repaintRainbow); } } class ToggleSelectWidgetMode extends FlutterViewToggleableAction { ToggleSelectWidgetMode(@NotNull FlutterApp app) { super(app, AllIcons.General.Locate, ServiceExtensions.toggleSelectWidgetMode); } @Override protected void perform(AnActionEvent event) { super.perform(event); if (app.isSessionActive()) { // If toggling inspect mode on, bring the app's device to the foreground. if (isSelected()) { final FlutterDevice device = app.device(); if (device != null) { device.bringToFront(); } } } } @Override public void handleAppRestarted() { if (isSelected()) { setSelected(null, false); } } } class ToggleOnDeviceWidgetInspector extends FlutterViewToggleableAction { ToggleOnDeviceWidgetInspector(@NotNull FlutterApp app) { super(app, AllIcons.General.Locate, ServiceExtensions.toggleOnDeviceWidgetInspector); } @Override protected void perform(AnActionEvent event) { super.perform(event); if (app.isSessionActive()) { // If toggling inspect mode on, bring the app's device to the foreground. if (isSelected()) { final FlutterDevice device = app.device(); if (device != null) { device.bringToFront(); } } } } @Override public void handleAppRestarted() { if (isSelected()) { setSelected(null, false); } } } class ForceRefreshAction extends FlutterViewAction { final @NotNull InspectorService inspectorService; private boolean enabled = true; ForceRefreshAction(@NotNull FlutterApp app, @NotNull InspectorService inspectorService) { super(app, "Refresh Widget Info", "Refresh Widget Info", AllIcons.Actions.ForceRefresh); this.inspectorService = inspectorService; } private void setEnabled(AnActionEvent event, boolean enabled) { this.enabled = enabled; update(event); } @Override protected void perform(final AnActionEvent event) { if (app.isSessionActive()) { setEnabled(event, false); final CompletableFuture<?> future = inspectorService.forceRefresh(); AsyncUtils.whenCompleteUiThread(future, (o, throwable) -> setEnabled(event, true)); } } @Override public void update(@NotNull AnActionEvent e) { e.getPresentation().setEnabled(app.isSessionActive() && enabled); } } class ShowDebugBannerAction extends FlutterViewToggleableAction { ShowDebugBannerAction(@NotNull FlutterApp app) { super(app, FlutterIcons.DebugBanner, ServiceExtensions.debugAllowBanner); } } class AutoHorizontalScrollAction extends FlutterViewLocalToggleableAction { AutoHorizontalScrollAction(@NotNull FlutterApp app, EventStream<Boolean> value) { super(app, "Auto horizontal scroll", value); } } class HighlightNodesShownInBothTrees extends FlutterViewLocalToggleableAction { HighlightNodesShownInBothTrees(@NotNull FlutterApp app, EventStream<Boolean> value) { super(app, "Highlight nodes displayed in both trees", value); } } class OverflowAction extends ToolbarComboBoxAction implements RightAlignedToolbarAction { private final @NotNull FlutterApp app; private final DefaultActionGroup myActionGroup; public OverflowAction(@NotNull AppState appState, @NotNull FlutterView view, @NotNull FlutterApp app) { super(); this.app = app; myActionGroup = createPopupActionGroup(appState, view, app); } @NotNull @Override protected DefaultActionGroup createPopupActionGroup(JComponent button) { return myActionGroup; } @Override public final void update(AnActionEvent e) { e.getPresentation().setText("More Actions"); e.getPresentation().setEnabled(app.isSessionActive()); } private static DefaultActionGroup createPopupActionGroup(AppState appState, FlutterView view, FlutterApp app) { final DefaultActionGroup group = new DefaultActionGroup(); group.add(appState.registerAction(new RepaintRainbowAction(app))); group.addSeparator(); group.add(appState.registerAction(new ShowDebugBannerAction(app))); group.addSeparator(); group.add(appState.registerAction(new AutoHorizontalScrollAction(app, view.shouldAutoHorizontalScroll))); group.add(appState.registerAction(new HighlightNodesShownInBothTrees(app, view.highlightNodesShownInBothTrees))); group.addSeparator(); group.add(appState.registerAction(new FlutterViewDevToolsAction(app))); return group; } } class AppState { ArrayList<FlutterViewAction> flutterViewActions = new ArrayList<>(); Content content; FlutterViewAction registerAction(FlutterViewAction action) { flutterViewActions.add(action); return action; } } class LabelInput { String text; LinkListener<String> listener; public LabelInput(String text) { this(text, null); } public LabelInput(String text, LinkListener<String> listener) { this.text = text; this.listener = listener; } }
flutter-intellij/flutter-idea/src/io/flutter/view/FlutterView.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/view/FlutterView.java", "repo_id": "flutter-intellij", "token_count": 15989 }
480
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.vmService; import com.google.gson.JsonArray; import com.google.gson.JsonElement; import com.google.gson.JsonObject; import com.intellij.openapi.Disposable; import com.intellij.openapi.diagnostic.Logger; import com.intellij.openapi.util.Disposer; import com.intellij.openapi.util.text.StringUtil; import gnu.trove.THashMap; import io.flutter.inspector.EvalOnDartLibrary; import io.flutter.run.daemon.FlutterApp; import io.flutter.utils.EventStream; import io.flutter.utils.StreamSubscription; import io.flutter.utils.VmServiceListenerAdapter; import io.flutter.vmService.HeapMonitor.HeapListener; import org.dartlang.vm.service.VmService; import org.dartlang.vm.service.VmServiceListener; import org.dartlang.vm.service.consumer.GetIsolateConsumer; import org.dartlang.vm.service.consumer.ServiceExtensionConsumer; import org.dartlang.vm.service.consumer.VMConsumer; import org.dartlang.vm.service.element.*; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import java.util.*; import java.util.concurrent.CompletableFuture; import java.util.function.Consumer; import static io.flutter.vmService.ServiceExtensions.enableOnDeviceInspector; public class VMServiceManager implements FlutterApp.FlutterAppListener, Disposable { private static final Logger LOG = Logger.getInstance(VMServiceManager.class); @NotNull private final FlutterApp app; @NotNull private final HeapMonitor heapMonitor; @NotNull private final FlutterFramesMonitor flutterFramesMonitor; @NotNull private final Map<String, EventStream<Boolean>> serviceExtensions = new THashMap<>(); /** * Boolean value applicable only for boolean service extensions indicating * whether the service extension is enabled or disabled. */ @NotNull private final Map<String, EventStream<ServiceExtensionState>> serviceExtensionState = new THashMap<>(); private final EventStream<IsolateRef> flutterIsolateRefStream; private volatile boolean firstFrameEventReceived = false; private final VmService vmService; /** * Temporarily stores service extensions that we need to add. We should not add extensions until the first frame event * has been received [firstFrameEventReceived]. */ private final List<String> pendingServiceExtensions = new ArrayList<>(); private final Set<String> registeredServices = new HashSet<>(); @NotNull public final DisplayRefreshRateManager displayRefreshRateManager; public VMServiceManager(@NotNull FlutterApp app, @NotNull VmService vmService) { this.app = app; this.vmService = vmService; app.addStateListener(this); assert (app.getFlutterDebugProcess() != null); this.heapMonitor = new HeapMonitor(app.getFlutterDebugProcess().getVmServiceWrapper()); this.displayRefreshRateManager = new DisplayRefreshRateManager(this, vmService); this.flutterFramesMonitor = new FlutterFramesMonitor(displayRefreshRateManager, vmService); flutterIsolateRefStream = new EventStream<>(); // The VM Service depends on events from the Extension event stream to determine when Flutter.Frame // events are fired. Without the call to listen, events from the stream will not be sent. vmService.streamListen(VmService.EXTENSION_STREAM_ID, VmServiceConsumers.EMPTY_SUCCESS_CONSUMER); vmService.streamListen(VmService.LOGGING_STREAM_ID, VmServiceConsumers.EMPTY_SUCCESS_CONSUMER); vmService.streamListen(VmService.SERVICE_STREAM_ID, VmServiceConsumers.EMPTY_SUCCESS_CONSUMER); final VmServiceListener myVmServiceListener = new VmServiceListenerAdapter() { @Override public void received(String streamId, Event event) { onVmServiceReceived(streamId, event); } @Override public void connectionClosed() { onVmConnectionClosed(); } }; vmService.addVmServiceListener(myVmServiceListener); // Populate the service extensions info and look for any Flutter views. // TODO(devoncarew): This currently returns the first Flutter view found as the // current Flutter isolate, and ignores any other Flutter views running in the app. // In the future, we could add more first class support for multiple Flutter views. vmService.getVM(new VMConsumer() { @Override public void received(VM vm) { for (final IsolateRef isolateRef : vm.getIsolates()) { vmService.getIsolate(isolateRef.getId(), new GetIsolateConsumer() { @Override public void onError(RPCError error) { } @Override public void received(Isolate isolate) { // Populate flutter isolate info. if (flutterIsolateRefStream.getValue() == null) { if (isolate.getExtensionRPCs() != null) { for (String extensionName : isolate.getExtensionRPCs()) { if (extensionName.startsWith(ServiceExtensions.flutterPrefix)) { setFlutterIsolate(isolateRef); break; } } } } addRegisteredExtensionRPCs(isolate, false); } @Override public void received(Sentinel sentinel) { } }); } } @Override public void onError(RPCError error) { } }); setServiceExtensionState(enableOnDeviceInspector.getExtension(), true, true); } @NotNull public HeapMonitor getHeapMonitor() { return heapMonitor; } public void addRegisteredExtensionRPCs(Isolate isolate, boolean attach) { // If attach was called, there is a risk we may never receive a // Flutter.Frame or Flutter.FirstFrame event so we need to query the // framework to determine if a frame has already been rendered. // This check would be safe to do outside of attach mode but is not needed. if (attach && isolate.getExtensionRPCs() != null && !firstFrameEventReceived) { final Set<String> bindingLibraryNames = new HashSet<>(); bindingLibraryNames.add("package:flutter/src/widgets/binding.dart"); final EvalOnDartLibrary flutterLibrary = new EvalOnDartLibrary( bindingLibraryNames, vmService, this ); flutterLibrary.eval("WidgetsBinding.instance.debugDidSendFirstFrameEvent", null, null).whenCompleteAsync((v, e) -> { // If there is an error we assume the first frame has been received. final boolean didSendFirstFrameEvent = e == null || v == null || Objects.equals(v.getValueAsString(), "true"); if (didSendFirstFrameEvent) { onFrameEventReceived(); } Disposer.dispose(flutterLibrary); }); } if (isolate.getExtensionRPCs() != null) { for (String extension : isolate.getExtensionRPCs()) { addServiceExtension(extension); } } } /** * Start the Perf service. */ private void startHeapMonitor() { // Start polling. heapMonitor.start(); } /** * Returns a StreamSubscription providing the current Flutter isolate. * <p> * The current value of the subscription can be null occasionally during initial application startup and for a brief time when doing a * hot restart. */ public StreamSubscription<IsolateRef> getCurrentFlutterIsolate(Consumer<IsolateRef> onValue, boolean onUIThread) { return flutterIsolateRefStream.listen(onValue, onUIThread); } /** * Return the current Flutter IsolateRef, if any. * <p> * Note that this may not be immediately populated at app startup for Flutter apps; clients that wish to * be notified when the Flutter isolate is discovered should prefer the StreamSubscription variant of this * method (getCurrentFlutterIsolate()). */ public IsolateRef getCurrentFlutterIsolateRaw() { synchronized (flutterIsolateRefStream) { return flutterIsolateRefStream.getValue(); } } /** * Stop the Perf service. */ private void stopHeapMonitor() { heapMonitor.stop(); } @Override public void dispose() { onVmConnectionClosed(); } private void onVmConnectionClosed() { heapMonitor.stop(); } private void setFlutterIsolate(IsolateRef ref) { synchronized (flutterIsolateRefStream) { final IsolateRef existing = flutterIsolateRefStream.getValue(); if (existing == ref || (existing != null && ref != null && StringUtil.equals(existing.getId(), ref.getId()))) { // Isolate didn't change. return; } flutterIsolateRefStream.setValue(ref); } } private void onFlutterIsolateStopped() { final Iterable<EventStream<Boolean>> existingExtensions; synchronized (serviceExtensions) { firstFrameEventReceived = false; existingExtensions = new ArrayList<>(serviceExtensions.values()); } for (EventStream<Boolean> serviceExtension : existingExtensions) { serviceExtension.setValue(false); } } private void onVmServiceReceived(String streamId, Event event) { // Check for the current Flutter isolate exiting. final IsolateRef flutterIsolateRef = flutterIsolateRefStream.getValue(); if (flutterIsolateRef != null) { if (event.getKind() == EventKind.IsolateExit && StringUtil.equals(event.getIsolate().getId(), flutterIsolateRef.getId())) { setFlutterIsolate(null); onFlutterIsolateStopped(); } } final String kind = event.getExtensionKind(); if (event.getKind() == EventKind.Extension) { switch (kind) { case "Flutter.FirstFrame": case "Flutter.Frame": // Track whether we have received the first frame event and add pending service extensions if we have. onFrameEventReceived(); break; case "Flutter.ServiceExtensionStateChanged": final JsonObject extensionData = event.getExtensionData().getJson(); final String name = extensionData.get("extension").getAsString(); final String valueFromJson = extensionData.get("value").getAsString(); final ServiceExtensionDescription extension = ServiceExtensions.toggleableExtensionsAllowList.get(name); if (extension != null) { final Object value = getExtensionValueFromEventJson(name, valueFromJson); if (extension instanceof ToggleableServiceExtensionDescription) { final ToggleableServiceExtensionDescription toggleableExtension = (ToggleableServiceExtensionDescription)extension; setServiceExtensionState(name, value.equals(toggleableExtension.getEnabledValue()), value); } else { setServiceExtensionState(name, true, value); } } break; case "Flutter.Error": app.getFlutterConsoleLogManager().handleFlutterErrorEvent(event); break; } } else if (event.getKind() == EventKind.ServiceExtensionAdded) { maybeAddServiceExtension(event.getExtensionRPC()); } else if (StringUtil.equals(streamId, VmService.LOGGING_STREAM_ID)) { app.getFlutterConsoleLogManager().handleLoggingEvent(event); } else if (event.getKind() == EventKind.ServiceRegistered) { registerService(event.getService()); } else if (event.getKind() == EventKind.ServiceUnregistered) { unregisterService(event.getService()); } // Check to see if there's a new Flutter isolate. if (flutterIsolateRefStream.getValue() == null) { // Check for service extension registrations. if (event.getKind() == EventKind.ServiceExtensionAdded) { final String extensionName = event.getExtensionRPC(); if (extensionName.startsWith(ServiceExtensions.flutterPrefix)) { setFlutterIsolate(event.getIsolate()); } } } } private Object getExtensionValueFromEventJson(String name, String valueFromJson) { final Class valueClass = ServiceExtensions.toggleableExtensionsAllowList.get(name).getValueClass(); if (valueClass == Boolean.class) { return valueFromJson.equals("true"); } else if (valueClass == Double.class) { return Double.valueOf(valueFromJson); } else { return valueFromJson; } } private void maybeAddServiceExtension(String name) { synchronized (serviceExtensions) { if (firstFrameEventReceived) { addServiceExtension(name); assert (pendingServiceExtensions.isEmpty()); } else { pendingServiceExtensions.add(name); } } } private void onFrameEventReceived() { synchronized (serviceExtensions) { if (firstFrameEventReceived) { // The first frame event was already received. return; } firstFrameEventReceived = true; for (String extensionName : pendingServiceExtensions) { addServiceExtension(extensionName); } pendingServiceExtensions.clear(); // Query for display refresh rate and add the value to the stream. displayRefreshRateManager.queryRefreshRate(); } } private void addServiceExtension(String name) { synchronized (serviceExtensions) { final EventStream<Boolean> stream = serviceExtensions.get(name); if (stream == null) { serviceExtensions.put(name, new EventStream<>(true)); } else if (!stream.getValue()) { stream.setValue(true); } // Set any extensions that are already enabled on the device. This will // enable extension states for default-enabled extensions and extensions // enabled before attaching. restoreExtensionFromDevice(name); // Restore any previously true states by calling their service extensions. if (getServiceExtensionState(name).getValue().isEnabled()) { restoreServiceExtensionState(name); } } } private void restoreExtensionFromDevice(String name) { if (!ServiceExtensions.toggleableExtensionsAllowList.containsKey(name)) { return; } final Class valueClass = ServiceExtensions.toggleableExtensionsAllowList.get(name).getValueClass(); final CompletableFuture<JsonObject> response = app.callServiceExtension(name); response.thenApply(obj -> { Object value = null; if (obj != null) { if (valueClass == Boolean.class) { value = obj.get("enabled").getAsString().equals("true"); maybeRestoreExtension(name, value); } else if (valueClass == String.class) { value = obj.get("value").getAsString(); maybeRestoreExtension(name, value); } else if (valueClass == Double.class) { value = Double.parseDouble(obj.get("value").getAsString()); maybeRestoreExtension(name, value); } } return value; }); } private void maybeRestoreExtension(String name, Object value) { if (ServiceExtensions.toggleableExtensionsAllowList.get(name) instanceof ToggleableServiceExtensionDescription) { final ToggleableServiceExtensionDescription extensionDescription = (ToggleableServiceExtensionDescription)ServiceExtensions.toggleableExtensionsAllowList.get(name); if (value.equals(extensionDescription.getEnabledValue())) { setServiceExtensionState(name, true, value); } } else { setServiceExtensionState(name, true, value); } } private void restoreServiceExtensionState(String name) { if (app.isSessionActive()) { if (StringUtil.equals(name, ServiceExtensions.toggleOnDeviceWidgetInspector.getExtension())) { // Do not call the service extension for this extension. We do not want to persist showing the // inspector on app restart. return; } @Nullable final Object value = getServiceExtensionState(name).getValue().getValue(); if (value instanceof Boolean) { app.callBooleanExtension(name, (Boolean)value); } else if (value instanceof String) { final Map<String, Object> params = new HashMap<>(); params.put("value", value); app.callServiceExtension(name, params); } else if (value instanceof Double) { final Map<String, Object> params = new HashMap<>(); // The param name for a numeric service extension will be the last part of the extension name // (ext.flutter.extensionName => extensionName). params.put(name.substring(name.lastIndexOf(".") + 1), value); app.callServiceExtension(name, params); } } } @NotNull public FlutterFramesMonitor getFlutterFramesMonitor() { return flutterFramesMonitor; } /** * Add a listener for heap state updates. */ public void addHeapListener(@NotNull HeapListener listener) { final boolean hadListeners = heapMonitor.hasListeners(); heapMonitor.addListener(listener); if (!hadListeners) { startHeapMonitor(); } } /** * Remove a heap listener. */ public void removeHeapListener(@NotNull HeapListener listener) { heapMonitor.removeListener(listener); if (!heapMonitor.hasListeners()) { stopHeapMonitor(); } } @NotNull public StreamSubscription<Boolean> hasServiceExtension(String name, Consumer<Boolean> onData) { EventStream<Boolean> stream; synchronized (serviceExtensions) { stream = serviceExtensions.get(name); if (stream == null) { stream = new EventStream<>(false); serviceExtensions.put(name, stream); } } return stream.listen(onData, true); } @NotNull public EventStream<ServiceExtensionState> getServiceExtensionState(String name) { EventStream<ServiceExtensionState> stream; synchronized (serviceExtensionState) { stream = serviceExtensionState.get(name); if (stream == null) { stream = new EventStream<>(new ServiceExtensionState(false, null)); serviceExtensionState.put(name, stream); } } return stream; } public void setServiceExtensionState(String name, boolean enabled, Object value) { final EventStream<ServiceExtensionState> stream = getServiceExtensionState(name); stream.setValue(new ServiceExtensionState(enabled, value)); } /** * Returns whether a service extension matching the specified name has * already been registered. * <p> * If the service extension may be registered at some point in the future it * is bests use hasServiceExtension as well to listen for changes in whether * the extension is present. */ public boolean hasServiceExtensionNow(String name) { synchronized (serviceExtensions) { final EventStream<Boolean> stream = serviceExtensions.get(name); return stream != null && stream.getValue() == Boolean.TRUE; } } public void hasServiceExtension(String name, Consumer<Boolean> onData, Disposable parentDisposable) { if (!Disposer.isDisposed(parentDisposable)) { Disposer.register(parentDisposable, hasServiceExtension(name, onData)); } } public boolean hasRegisteredService(String name) { return registeredServices.contains(name); } public boolean hasAnyRegisteredServices() { return !registeredServices.isEmpty(); } private void registerService(String serviceName) { if (serviceName != null) { registeredServices.add(serviceName); } } private void unregisterService(String serviceName) { if (serviceName != null) { registeredServices.remove(serviceName); } } public CompletableFuture<String> getFlutterViewId() { return getFlutterViewsList().exceptionally(exception -> { throw new RuntimeException(exception.getMessage()); }).thenApplyAsync((JsonElement element) -> { final JsonArray viewsList = element.getAsJsonObject().get("views").getAsJsonArray(); for (JsonElement jsonElement : viewsList) { final JsonObject view = jsonElement.getAsJsonObject(); if (view.get("type").getAsString().equals("FlutterView")) { return view.get("id").getAsString(); } } throw new RuntimeException("No Flutter views to query: " + viewsList); }); } private CompletableFuture<JsonElement> getFlutterViewsList() { final CompletableFuture<JsonElement> ret = new CompletableFuture<>(); final IsolateRef currentFlutterIsolate = getCurrentFlutterIsolateRaw(); if (currentFlutterIsolate == null) { ret.completeExceptionally(new RuntimeException("No isolate to query for Flutter views.")); return ret; } final String isolateId = getCurrentFlutterIsolateRaw().getId(); vmService.callServiceExtension( isolateId, ServiceExtensions.flutterListViews, new ServiceExtensionConsumer() { @Override public void onError(RPCError error) { String message = isolateId; message += ":" + ServiceExtensions.flutterListViews; message += ":" + error.getCode(); message += ":" + error.getMessage(); if (error.getDetails() != null) { message += ":" + error.getDetails(); } ret.completeExceptionally(new RuntimeException(message)); } @Override public void received(JsonObject object) { if (object == null) { ret.complete(null); } else { ret.complete(object); } } } ); return ret; } @Override public void stateChanged(FlutterApp.State newState) { if (newState == FlutterApp.State.RESTARTING) { // The set of service extensions available may be different once the app // restarts and no service extensions will be available until the app is // suitably far along in the restart process. It turns out the // IsolateExit event cannot be relied on to track when a restart is // occurring for unclear reasons. onFlutterIsolateStopped(); } } }
flutter-intellij/flutter-idea/src/io/flutter/vmService/VMServiceManager.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/io/flutter/vmService/VMServiceManager.java", "repo_id": "flutter-intellij", "token_count": 7976 }
481
/* * Copyright (c) 2019, the Dart project authors. Please see the AUTHORS file * for details. All rights reserved. Use of this source code is governed by a * BSD-style license that can be found in the LICENSE file. * * This file has been automatically generated. Please do not edit it manually. * To regenerate the file, use the script "pkg/analysis_server/tool/spec/generate_files". */ package org.dartlang.analysis.server.protocol; /** * An enumeration of the services provided by the flutter domain that are related to a specific * list of files. * * @coverage dart.server.generated.types */ public class FlutterService { public static final String OUTLINE = "OUTLINE"; }
flutter-intellij/flutter-idea/src/org/dartlang/analysis/server/protocol/FlutterService.java/0
{ "file_path": "flutter-intellij/flutter-idea/src/org/dartlang/analysis/server/protocol/FlutterService.java", "repo_id": "flutter-intellij", "token_count": 184 }
482
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.inspector; import io.flutter.inspector.TreeScrollAnimator.Interval; import org.junit.Test; import static junit.framework.TestCase.assertEquals; import static junit.framework.TestCase.assertTrue; import static org.junit.Assert.assertNotEquals; public class TreeScrollAnimatorTest { // TODO(jacobr): add some end to end tests of TreeScrollAnimator. @Test public void nonOverlappingIntervals() { { boolean invalidInput = false; try { // The required outside of the ideal interval. TreeScrollAnimator.clampInterval( new Interval(0, 10), new Interval(5, 15), 8); } catch (IllegalArgumentException e) { invalidInput = true; } assertTrue(invalidInput); } { boolean invalidInput = false; try { // The required outside of the ideal interval. TreeScrollAnimator.clampInterval( new Interval(5, 10), new Interval(0, 12), 8); } catch (IllegalArgumentException e) { invalidInput = true; } assertTrue(invalidInput); } } @Test public void negativeIntervals() { { boolean invalidInput = false; try { TreeScrollAnimator.clampInterval( new Interval(0, -3), new Interval(0, -1), 8); } catch (IllegalArgumentException e) { invalidInput = true; } assertTrue(invalidInput); } { boolean invalidInput = false; try { TreeScrollAnimator.clampInterval( new Interval(0, 2), new Interval(0, 2), -5); } catch (IllegalArgumentException e) { invalidInput = true; } assertTrue(invalidInput); } } @Test public void idealIntervalFits() { final Interval required = new Interval(10, 20); final Interval ideal = new Interval(5, 100); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 100), ideal); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 150), ideal); } @Test public void requiredIntervalBarelyFits() { final Interval required = new Interval(10, 20); final Interval ideal = new Interval(5, 100); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 20), required); } @Test public void equalRequiredAndIdealIntervals() { final Interval required = new Interval(10, 20); final Interval ideal = new Interval(10, 20); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 30), ideal); } @Test public void requiredAtStartOfIdeal() { final Interval required = new Interval(10, 20); final Interval ideal = new Interval(10, 200); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 100), new Interval(10, 100)); } @Test public void requiredAtEndOfIdeal() { final Interval required = new Interval(180, 20); final Interval ideal = new Interval(10, 190); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 80), new Interval(120, 80)); } @Test public void requiredInMiddleOfIdeal() { final Interval required = new Interval(200, 100); final Interval ideal = new Interval(100, 300); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 200), new Interval(150, 200)); } @Test public void requiredNearStartOfIdeal() { final Interval required = new Interval(120, 100); final Interval ideal = new Interval(100, 300); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 200), new Interval(110, 200)); } @Test public void requiredNearEndOfIdeal() { final Interval required = new Interval(280, 100); final Interval ideal = new Interval(100, 300); assertEquals(TreeScrollAnimator.clampInterval(required, ideal, 200), new Interval(190, 200)); } @Test public void intervalEqualityTest() { assertNotEquals(new Interval(0, 10), new Interval(0, 11)); assertNotEquals(new Interval(5, 10), new Interval(6, 10)); assertEquals(new Interval(5, 10), new Interval(5, 10)); } }
flutter-intellij/flutter-idea/testSrc/unit/io/flutter/inspector/TreeScrollAnimatorTest.java/0
{ "file_path": "flutter-intellij/flutter-idea/testSrc/unit/io/flutter/inspector/TreeScrollAnimatorTest.java", "repo_id": "flutter-intellij", "token_count": 1625 }
483
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.run.bazel; import com.intellij.util.xmlb.XmlSerializer; import io.flutter.run.daemon.DevToolsInstance; import org.jdom.Element; import org.junit.Before; import org.junit.Ignore; import org.junit.Test; import java.util.Set; import java.util.TreeSet; import java.util.concurrent.CompletableFuture; import static org.junit.Assert.*; /** * Verifies run configuration persistence. */ public class BazelFieldsTest { @Before public void setUp() { final CompletableFuture<DevToolsInstance> future = new CompletableFuture<>(); future.complete(new DevToolsInstance("http://localhost", 1234)); } @Test public void shouldReadFieldsFromXml() { final Element elt = new Element("test"); addOption(elt, "target", "//path/to/flutter/app:hello"); addOption(elt, "enableReleaseMode", "false"); addOption(elt, "additionalArgs", "--android_cpu=x86"); addOption(elt, "bazelArgs", "--define=release_channel=beta3"); final BazelFields fields = BazelFields.readFrom(elt); XmlSerializer.deserializeInto(fields, elt); assertEquals("//path/to/flutter/app:hello", fields.getTarget()); assertEquals("--define=release_channel=beta3", fields.getBazelArgs()); assertEquals("--android_cpu=x86", fields.getAdditionalArgs()); assertFalse(fields.getEnableReleaseMode()); } @Test @Ignore public void shouldUpgradeFieldsFromOldXml() { final Element elt = new Element("test"); addOption(elt, "entryFile", "/tmp/test/dir/lib/main.dart"); // obsolete addOption(elt, "launchingScript", "path/to/bazel-run.sh"); // obsolete addOption(elt, "bazelTarget", "//path/to/flutter/app:hello"); // obsolete addOption(elt, "enableReleaseMode", "true"); addOption(elt, "additionalArgs", "--android_cpu=x86"); final BazelFields fields = BazelFields.readFrom(elt); XmlSerializer.deserializeInto(fields, elt); assertEquals("//path/to/flutter/app:hello", fields.getTarget()); assertNull(fields.getBazelArgs()); assertEquals("--android_cpu=x86", fields.getAdditionalArgs()); assertTrue(fields.getEnableReleaseMode()); } @Test public void roundTripShouldPreserveFields() { final BazelFields before = new BazelFields( "bazel_or_dart_target", "bazel_args --1 -2=3", "additional_args --1 --2=3", true ); final Element elt = new Element("test"); before.writeTo(elt); // Verify that we no longer write workingDirectory. assertArrayEquals( new String[]{"additionalArgs", "bazelArgs", "enableReleaseMode", "target"}, getOptionNames(elt).toArray()); final BazelFields after = BazelFields.readFrom(elt); assertEquals("bazel_or_dart_target", after.getTarget()); assertEquals("bazel_args --1 -2=3", after.getBazelArgs()); assertEquals("additional_args --1 --2=3", after.getAdditionalArgs()); assertTrue(after.getEnableReleaseMode()); } private void addOption(Element elt, String name, String value) { final Element child = new Element("option"); child.setAttribute("name", name); child.setAttribute("value", value); elt.addContent(child); } private Set<String> getOptionNames(Element elt) { final Set<String> result = new TreeSet<>(); for (Element child : elt.getChildren()) { result.add(child.getAttributeValue("name")); } return result; } }
flutter-intellij/flutter-idea/testSrc/unit/io/flutter/run/bazel/BazelFieldsTest.java/0
{ "file_path": "flutter-intellij/flutter-idea/testSrc/unit/io/flutter/run/bazel/BazelFieldsTest.java", "repo_id": "flutter-intellij", "token_count": 1245 }
484
/* * Copyright 2019 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.testing; import com.intellij.openapi.project.Project; import io.flutter.editor.ActiveEditorsOutlineService; import io.flutter.utils.JsonUtils; import org.dartlang.analysis.server.protocol.FlutterOutline; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import org.junit.Assert; import java.io.IOException; import java.nio.file.Files; import java.nio.file.Paths; import java.util.HashMap; import java.util.Map; /** * A fake implementation of the {@link ActiveEditorsOutlineService} that always returns a golden {@link FlutterOutline} from a file. */ public class FakeActiveEditorsOutlineService extends ActiveEditorsOutlineService { private Map<String, FlutterOutline> pathToFlutterOutline = new HashMap<>(); public FakeActiveEditorsOutlineService(Project project, @NotNull String filePath, @NotNull String flutterOutlinePath) { super(project); loadOutline(filePath, flutterOutlinePath); } public void loadOutline(@NotNull String filePath, @NotNull String flutterOutlinePath) { String outlineContents; try { outlineContents = new String(Files.readAllBytes(Paths.get(flutterOutlinePath))); } catch (IOException e) { Assert.fail("Unable to load file " + flutterOutlinePath); e.printStackTrace(); outlineContents = null; } FlutterOutline flutterOutline = null; if (outlineContents != null) { flutterOutline = FlutterOutline.fromJson(JsonUtils.parseString(outlineContents).getAsJsonObject()); } pathToFlutterOutline.put(filePath, flutterOutline); } @Nullable @Override public FlutterOutline getOutline(String path) { // The path string that we get will be prepended with a '/' character, compared to how the cache was initialized. return pathToFlutterOutline.get(path); } public static final String SIMPLE_TEST_PATH = "testData/sample_tests/test/simple_test.dart"; public static final String SIMPLE_OUTLINE_PATH = "testData/sample_tests/test/simple_outline.txt"; public static final String CUSTOM_TEST_PATH = "testData/sample_tests/test/custom_test.dart"; public static final String CUSTOM_OUTLINE_PATH = "testData/sample_tests/test/custom_outline.txt"; public static final String NO_TESTS_PATH = "testData/sample_tests/test/no_tests.dart"; public static final String NO_TESTS_OUTLINE_PATH = "testData/sample_tests/test/no_tests_outline.txt"; }
flutter-intellij/flutter-idea/testSrc/unit/io/flutter/testing/FakeActiveEditorsOutlineService.java/0
{ "file_path": "flutter-intellij/flutter-idea/testSrc/unit/io/flutter/testing/FakeActiveEditorsOutlineService.java", "repo_id": "flutter-intellij", "token_count": 851 }
485
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.utils.animation; import org.junit.Test; import java.util.ArrayList; import java.util.List; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertTrue; public class CurvesTest { @Test public void curveFlippedControl() { final Curve ease = Curves.EASE; final Curve flippedEase = ease.getFlipped(); assertTrue(flippedEase.transform(0.0) < 0.001); assertTrue(flippedEase.transform(0.5) < ease.transform(0.5)); assertTrue(flippedEase.transform(1.0) > 0.999); } @Test public void tresholdHasAThreshold() { final Curve step = new Threshold(0.25); assertEquals(step.transform(0.0), 0.0, 0.0001); assertEquals(step.transform(0.24), 0.0, 0.0001); assertEquals(step.transform(0.25), 1.0, 0.0001); assertEquals(step.transform(0.26), 1.0, 0.0001); assertEquals(step.transform(1.0), 1.0, 0.0001); } boolean inInclusiveRange(double value, double start, double end) { return value >= start && value <= end; } void expectStaysInBounds(Curve curve) { assertTrue(inInclusiveRange(curve.transform(0.0), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.1), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.2), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.3), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.4), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.5), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.6), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.7), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.8), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(0.9), 0.0, 1.0)); assertTrue(inInclusiveRange(curve.transform(1.0), 0.0, 1.0)); } @Test public void bounceStaysInBounds() { expectStaysInBounds(Curves.BOUNCE_IN); expectStaysInBounds(Curves.BOUNCE_OUT); expectStaysInBounds(Curves.BOUNCE_IN_OUT); } List<Double> estimateBounds(Curve curve) { final List<Double> values = new ArrayList<>(); values.add(curve.transform(0.0)); values.add(curve.transform(0.1)); values.add(curve.transform(0.2)); values.add(curve.transform(0.3)); values.add(curve.transform(0.4)); values.add(curve.transform(0.5)); values.add(curve.transform(0.6)); values.add(curve.transform(0.7)); values.add(curve.transform(0.8)); values.add(curve.transform(0.9)); values.add(curve.transform(1.0)); double max = values.get(0); double min = values.get(0); for (double value : values) { min = Math.min(min, value); max = Math.max(max, value); } final List<Double> ret = new ArrayList<>(); ret.add(min); ret.add(max); return ret; } @Test public void ellasticOvershootsItsBounds() { List<Double> bounds; bounds = estimateBounds(Curves.ELASTIC_IN); assertTrue(bounds.get(0) < 0.0); assertTrue(bounds.get(1) <= 1.0); bounds = estimateBounds(Curves.ELASTIC_OUT); assertTrue(bounds.get(0) >= 0.0); assertTrue(bounds.get(1) >= 1.0); bounds = estimateBounds(Curves.ELASTIC_IN_OUT); assertTrue(bounds.get(0) < 0.0); assertTrue(bounds.get(1) > 1.0); } @Test public void decelerateDoesSo() { final List<Double> bounds = estimateBounds(Curves.DECELERATE); assertTrue(bounds.get(0) >= 0.0); assertTrue(bounds.get(1) <= 1.0); final double d1 = Curves.DECELERATE.transform(0.2) - Curves.DECELERATE.transform(0.0); final double d2 = Curves.DECELERATE.transform(1.0) - Curves.DECELERATE.transform(0.8); assertTrue(d2 < d1); } // TODO(jacobr): port this test from Dart. /* testInvalidTransformParameterShouldAssert() { expect(() = > const SawTooth(2).transform(-0.0001), throwsAssertionError); expect(() = > const SawTooth(2).transform(1.0001), throwsAssertionError); expect(() = > const Interval(0.0, 1.0).transform(-0.0001), throwsAssertionError); expect(() = > const Interval(0.0, 1.0).transform(1.0001), throwsAssertionError); expect(() = > const Threshold(0.5).transform(-0.0001), throwsAssertionError); expect(() = > const Threshold(0.5).transform(1.0001), throwsAssertionError); expect(() = > const ElasticInCurve().transform(-0.0001), throwsAssertionError); expect(() = > const ElasticInCurve().transform(1.0001), throwsAssertionError); expect(() = > const ElasticOutCurve().transform(-0.0001), throwsAssertionError); expect(() = > const ElasticOutCurve().transform(1.0001), throwsAssertionError); expect(() = > const Cubic(0.42, 0.0, 0.58, 1.0).transform(-0.0001), throwsAssertionError); expect(() = > const Cubic(0.42, 0.0, 0.58, 1.0).transform(1.0001), throwsAssertionError); expect(() = > Curves.decelerate.transform(-0.0001), throwsAssertionError); expect(() = > Curves.decelerate.transform(1.0001), throwsAssertionError); expect(() = > Curves.bounceIn.transform(-0.0001), throwsAssertionError); expect(() = > Curves.bounceIn.transform(1.0001), throwsAssertionError); expect(() = > Curves.bounceOut.transform(-0.0001), throwsAssertionError); expect(() = > Curves.bounceOut.transform(1.0001), throwsAssertionError); expect(() = > Curves.bounceInOut.transform(-0.0001), throwsAssertionError); expect(() = > Curves.bounceInOut.transform(1.0001), throwsAssertionError); } */ }
flutter-intellij/flutter-idea/testSrc/unit/io/flutter/utils/animation/CurvesTest.java/0
{ "file_path": "flutter-intellij/flutter-idea/testSrc/unit/io/flutter/utils/animation/CurvesTest.java", "repo_id": "flutter-intellij", "token_count": 2198 }
486
/* * Copyright (c) 2015, the Dart project authors. * * Licensed under the Eclipse Public License v1.0 (the "License"); you may not use this file except * in compliance with the License. You may obtain a copy of the License at * * http://www.eclipse.org/legal/epl-v10.html * * Unless required by applicable law or agreed to in writing, software distributed under the License * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express * or implied. See the License for the specific language governing permissions and limitations under * the License. */ package org.dartlang.vm.service.element; // This file is generated by the script: pkg/vm_service/tool/generate.dart in dart-lang/sdk. /** * Adding new values to {@link EventKind} is considered a backwards compatible change. Clients * should ignore unrecognized events. */ @SuppressWarnings({"WeakerAccess", "unused"}) public enum EventKind { /** * A breakpoint has been added for an isolate. */ BreakpointAdded, /** * A breakpoint has been removed. */ BreakpointRemoved, /** * An unresolved breakpoint has been resolved for an isolate. */ BreakpointResolved, /** * A breakpoint has been updated. */ BreakpointUpdated, /** * A block of recently collected CPU samples. */ CpuSamples, /** * Event from dart:developer.postEvent. */ Extension, /** * A garbage collection event. */ GC, /** * Notification from dart:developer.inspect. */ Inspect, /** * Notification that an isolate has exited. */ IsolateExit, /** * Notification that an isolate has been reloaded. */ IsolateReload, /** * Notification that an isolate is ready to run. */ IsolateRunnable, /** * Notification that a new isolate has started. */ IsolateStart, /** * Notification that isolate identifying information has changed. Currently used to notify of * changes to the isolate debugging name via setName. */ IsolateUpdate, /** * Event from dart:developer.log. */ Logging, /** * Indicates an isolate is not yet runnable. Only appears in an Isolate's pauseEvent. Never sent * over a stream. */ None, /** * An isolate has paused at a breakpoint or due to stepping. */ PauseBreakpoint, /** * An isolate has paused due to an exception. */ PauseException, /** * An isolate has paused at exit, before terminating. */ PauseExit, /** * An isolate has paused due to interruption via pause. */ PauseInterrupted, /** * An isolate has paused after a service request. */ PausePostRequest, /** * An isolate has paused at start, before executing code. */ PauseStart, /** * An isolate has started or resumed execution. */ Resume, /** * Notification that an extension RPC was registered on an isolate. */ ServiceExtensionAdded, /** * Notification that a Service has been registered into the Service Protocol from another client. */ ServiceRegistered, /** * Notification that a Service has been removed from the Service Protocol from another client. */ ServiceUnregistered, /** * A block of timeline events has been completed. * * This service event is not sent for individual timeline events. It is subject to buffering, so * the most recent timeline events may never be included in any TimelineEvents event if no * timeline events occur later to complete the block. */ TimelineEvents, /** * The set of active timeline streams was changed via `setVMTimelineFlags`. */ TimelineStreamSubscriptionsUpdate, /** * Notification that the UserTag for an isolate has been changed. */ UserTagChanged, /** * Notification that a VM flag has been changed via the service protocol. */ VMFlagUpdate, /** * Notification that VM identifying information has changed. Currently used to notify of changes * to the VM debugging name via setVMName. */ VMUpdate, /** * Notification of bytes written, for example, to stdout/stderr. */ WriteEvent, /** * Represents a value returned by the VM but unknown to this client. */ Unknown }
flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/EventKind.java/0
{ "file_path": "flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/EventKind.java", "repo_id": "flutter-intellij", "token_count": 1246 }
487
/* * Copyright (c) 2015, the Dart project authors. * * Licensed under the Eclipse Public License v1.0 (the "License"); you may not use this file except * in compliance with the License. You may obtain a copy of the License at * * http://www.eclipse.org/legal/epl-v10.html * * Unless required by applicable law or agreed to in writing, software distributed under the License * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express * or implied. See the License for the specific language governing permissions and limitations under * the License. */ package org.dartlang.vm.service.element; // This file is generated by the script: pkg/vm_service/tool/generate.dart in dart-lang/sdk. import com.google.gson.JsonArray; import com.google.gson.JsonObject; /** * See getInstances. */ @SuppressWarnings({"WeakerAccess", "unused"}) public class InstanceSet extends Response { public InstanceSet(JsonObject json) { super(json); } /** * An array of instances of the requested type. */ public ElementList<ObjRef> getInstances() { return new ElementList<ObjRef>(json.get("instances").getAsJsonArray()) { @Override protected ObjRef basicGet(JsonArray array, int index) { return new ObjRef(array.get(index).getAsJsonObject()); } }; } /** * The number of instances of the requested type currently allocated. */ public int getTotalCount() { return getAsInt("totalCount"); } }
flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/InstanceSet.java/0
{ "file_path": "flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/InstanceSet.java", "repo_id": "flutter-intellij", "token_count": 465 }
488
/* * Copyright (c) 2015, the Dart project authors. * * Licensed under the Eclipse Public License v1.0 (the "License"); you may not use this file except * in compliance with the License. You may obtain a copy of the License at * * http://www.eclipse.org/legal/epl-v10.html * * Unless required by applicable law or agreed to in writing, software distributed under the License * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express * or implied. See the License for the specific language governing permissions and limitations under * the License. */ package org.dartlang.vm.service.element; // This file is generated by the script: pkg/vm_service/tool/generate.dart in dart-lang/sdk. import com.google.gson.JsonObject; /** * An {@link Obj} is a persistent object that is owned by some isolate. */ @SuppressWarnings({"WeakerAccess", "unused"}) public class Obj extends Response { public Obj(JsonObject json) { super(json); } /** * If an object is allocated in the Dart heap, it will have a corresponding class object. * * The class of a non-instance is not a Dart class, but is instead an internal vm object. * * Moving an Object into or out of the heap is considered a backwards compatible change for types * other than Instance. * * Can return <code>null</code>. */ public ClassRef getClassRef() { JsonObject obj = (JsonObject) json.get("class"); if (obj == null) return null; final String type = json.get("type").getAsString(); if ("Instance".equals(type) || "@Instance".equals(type)) { final String kind = json.get("kind").getAsString(); if ("Null".equals(kind)) return null; } return new ClassRef(obj); } /** * Provided and set to true if the id of an Object is fixed. If true, the id of an Object is * guaranteed not to change or expire. The object may, however, still be _Collected_. * * Can return <code>null</code>. */ public boolean getFixedId() { return getAsBoolean("fixedId"); } /** * A unique identifier for an Object. Passed to the getObject RPC to reload this Object. * * Some objects may get a new id when they are reloaded. */ public String getId() { return getAsString("id"); } /** * The size of this object in the heap. * * If an object is not heap-allocated, then this field is omitted. * * Note that the size can be zero for some objects. In the current VM implementation, this occurs * for small integers, which are stored entirely within their object pointers. * * Can return <code>null</code>. */ public int getSize() { return getAsInt("size"); } }
flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/Obj.java/0
{ "file_path": "flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/element/Obj.java", "repo_id": "flutter-intellij", "token_count": 833 }
489
/* * Copyright (c) 2014, the Dart project authors. * * Licensed under the Eclipse Public License v1.0 (the "License"); you may not use this file except * in compliance with the License. You may obtain a copy of the License at * * http://www.eclipse.org/legal/epl-v10.html * * Unless required by applicable law or agreed to in writing, software distributed under the License * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express * or implied. See the License for the specific language governing permissions and limitations under * the License. */ package org.dartlang.vm.service.logging; /** * {@code Logging} provides a global instance of {@link Logger}. */ public class Logging { private static Logger logger = Logger.NULL; public static Logger getLogger() { return logger; } public static void setLogger(Logger logger) { Logging.logger = logger == null ? Logger.NULL : logger; } }
flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/logging/Logging.java/0
{ "file_path": "flutter-intellij/flutter-idea/third_party/vmServiceDrivers/org/dartlang/vm/service/logging/Logging.java", "repo_id": "flutter-intellij", "token_count": 270 }
490
/* * Copyright 2018 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package io.flutter.android; import com.intellij.openapi.project.Project; import com.intellij.openapi.roots.libraries.LibraryType; import com.intellij.openapi.roots.libraries.NewLibraryConfiguration; import com.intellij.openapi.roots.libraries.PersistentLibraryKind; import com.intellij.openapi.roots.libraries.ui.LibraryEditorComponent; import com.intellij.openapi.roots.libraries.ui.LibraryPropertiesEditor; import com.intellij.openapi.vfs.VirtualFile; import icons.FlutterIcons; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import javax.swing.*; public class AndroidModuleLibraryType extends LibraryType<AndroidModuleLibraryProperties> { public static final String LIBRARY_NAME = "Android Libraries"; public static final PersistentLibraryKind<AndroidModuleLibraryProperties> LIBRARY_KIND = new PersistentLibraryKind<AndroidModuleLibraryProperties>("AndroidModuleLibraryType") { @Override @NotNull public AndroidModuleLibraryProperties createDefaultProperties() { return new AndroidModuleLibraryProperties(); } }; protected AndroidModuleLibraryType() { super(LIBRARY_KIND); } @Nullable @Override public String getCreateActionName() { return null; } @Nullable @Override public NewLibraryConfiguration createNewLibrary(@NotNull JComponent parentComponent, @Nullable VirtualFile contextDirectory, @NotNull Project project) { return null; } @Nullable @Override public LibraryPropertiesEditor createPropertiesEditor(@NotNull LibraryEditorComponent<AndroidModuleLibraryProperties> editorComponent) { return null; } @Override @Nullable public Icon getIcon(@Nullable AndroidModuleLibraryProperties properties) { return FlutterIcons.Flutter; } }
flutter-intellij/flutter-studio/src/io/flutter/android/AndroidModuleLibraryType.java/0
{ "file_path": "flutter-intellij/flutter-studio/src/io/flutter/android/AndroidModuleLibraryType.java", "repo_id": "flutter-intellij", "token_count": 682 }
491
/* * Copyright 2017 The Chromium Authors. All rights reserved. * Use of this source code is governed by a BSD-style license that can be * found in the LICENSE file. */ package com.android.tools.idea.tests.gui.framework.fixture; import com.android.tools.idea.tests.gui.framework.GuiTests; import com.android.tools.idea.tests.gui.framework.fixture.newProjectWizard.NewFlutterModuleWizardFixture; import com.android.tools.idea.tests.gui.framework.fixture.newProjectWizard.NewFlutterProjectWizardFixture; import com.android.tools.idea.tests.gui.framework.matcher.Matchers; import com.intellij.openapi.wm.impl.IdeFrameImpl; import org.fest.swing.core.Robot; import org.jetbrains.annotations.NotNull; @SuppressWarnings({"MethodOverridesStaticMethodOfSuperclass", "UnusedReturnValue"}) public class FlutterFrameFixture extends IdeaFrameFixture { private FlutterFrameFixture(@NotNull Robot robot, @NotNull IdeFrameImpl target) { super(robot, target); } @NotNull public static FlutterFrameFixture find(@NotNull final Robot robot) { return new FlutterFrameFixture(robot, GuiTests.waitUntilShowing(robot, Matchers.byType(IdeFrameImpl.class))); } @NotNull public NewFlutterProjectWizardFixture findNewProjectWizard() { return NewFlutterProjectWizardFixture.find(robot()); } @NotNull public NewFlutterModuleWizardFixture findNewModuleWizard() { return NewFlutterModuleWizardFixture.find(this); } public void waitForProjectSyncToFinish() { GuiTests.waitForBackgroundTasks(robot()); } }
flutter-intellij/flutter-studio/testSrc/com/android/tools/idea/tests/gui/framework/fixture/FlutterFrameFixture.java/0
{ "file_path": "flutter-intellij/flutter-studio/testSrc/com/android/tools/idea/tests/gui/framework/fixture/FlutterFrameFixture.java", "repo_id": "flutter-intellij", "token_count": 496 }
492
# Location of the bash script. build_file: "flutter-intellij-kokoro/kokoro/gcp_windows/kokoro_test.bat"
flutter-intellij/kokoro/gcp_windows/presubmit.cfg/0
{ "file_path": "flutter-intellij/kokoro/gcp_windows/presubmit.cfg", "repo_id": "flutter-intellij", "token_count": 39 }
493
<?xml version='1.0'?> <!-- ~ Copyright 2019 The Chromium Authors. All rights reserved. ~ Use of this source code is governed by a BSD-style license that can be ~ found in the LICENSE file. --> <list> <!--<option name="TEMPLATE_CONFIG_NAME">--> <!--<value>--> <!--<option name="FOREGROUND" value="008000"/>--> <!--<option name="BACKGROUND" value="e3fcff"/>--> <!--<option name="FONT_TYPE" value="1"/>--> <!--</value>--> <!--</option>--> <!-- Customizations to the regular Dart color scheme to make Flutter UI as code more readable. All tweaks added here need to be acceptable for regular Dart code as they will apply to all Dart code not just Flutter code. --> <option name="DART_CONSTRUCTOR"> <value> <option name="FOREGROUND" value="#2196f3"/> </value> </option> </list>
flutter-intellij/resources/colorSchemes/FlutterCodeColorSchemeDefault.xml/0
{ "file_path": "flutter-intellij/resources/colorSchemes/FlutterCodeColorSchemeDefault.xml", "repo_id": "flutter-intellij", "token_count": 269 }
494
# Generated file - do not edit. # suppress inspection "UnusedProperty" for whole file f04b6.codepoint=abc abc=material/abc.png f05b1.codepoint=abc_outlined abc_outlined=material/abc_outlined.png e4c4.codepoint=abc_rounded abc_rounded=material/abc_rounded.png f03c3.codepoint=abc_sharp abc_sharp=material/abc_sharp.png e037.codepoint=ac_unit ac_unit=material/ac_unit.png ee29.codepoint=ac_unit_outlined ac_unit_outlined=material/ac_unit_outlined.png f516.codepoint=ac_unit_rounded ac_unit_rounded=material/ac_unit_rounded.png e737.codepoint=ac_unit_sharp ac_unit_sharp=material/ac_unit_sharp.png e038.codepoint=access_alarm access_alarm=material/access_alarm.png ee2a.codepoint=access_alarm_outlined access_alarm_outlined=material/access_alarm_outlined.png f517.codepoint=access_alarm_rounded access_alarm_rounded=material/access_alarm_rounded.png e738.codepoint=access_alarm_sharp access_alarm_sharp=material/access_alarm_sharp.png e039.codepoint=access_alarms access_alarms=material/access_alarms.png ee2b.codepoint=access_alarms_outlined access_alarms_outlined=material/access_alarms_outlined.png f518.codepoint=access_alarms_rounded access_alarms_rounded=material/access_alarms_rounded.png e739.codepoint=access_alarms_sharp access_alarms_sharp=material/access_alarms_sharp.png e03a.codepoint=access_time access_time=material/access_time.png e03b.codepoint=access_time_filled access_time_filled=material/access_time_filled.png ee2c.codepoint=access_time_filled_outlined access_time_filled_outlined=material/access_time_filled_outlined.png f519.codepoint=access_time_filled_rounded access_time_filled_rounded=material/access_time_filled_rounded.png e73a.codepoint=access_time_filled_sharp access_time_filled_sharp=material/access_time_filled_sharp.png ee2d.codepoint=access_time_outlined access_time_outlined=material/access_time_outlined.png f51a.codepoint=access_time_rounded access_time_rounded=material/access_time_rounded.png e73b.codepoint=access_time_sharp access_time_sharp=material/access_time_sharp.png e03c.codepoint=accessibility accessibility=material/accessibility.png e03d.codepoint=accessibility_new accessibility_new=material/accessibility_new.png ee2e.codepoint=accessibility_new_outlined accessibility_new_outlined=material/accessibility_new_outlined.png f51b.codepoint=accessibility_new_rounded accessibility_new_rounded=material/accessibility_new_rounded.png e73c.codepoint=accessibility_new_sharp accessibility_new_sharp=material/accessibility_new_sharp.png ee2f.codepoint=accessibility_outlined accessibility_outlined=material/accessibility_outlined.png f51c.codepoint=accessibility_rounded accessibility_rounded=material/accessibility_rounded.png e73d.codepoint=accessibility_sharp accessibility_sharp=material/accessibility_sharp.png e03e.codepoint=accessible accessible=material/accessible.png e03f.codepoint=accessible_forward accessible_forward=material/accessible_forward.png ee30.codepoint=accessible_forward_outlined accessible_forward_outlined=material/accessible_forward_outlined.png f51d.codepoint=accessible_forward_rounded accessible_forward_rounded=material/accessible_forward_rounded.png e73e.codepoint=accessible_forward_sharp accessible_forward_sharp=material/accessible_forward_sharp.png ee31.codepoint=accessible_outlined accessible_outlined=material/accessible_outlined.png f51e.codepoint=accessible_rounded accessible_rounded=material/accessible_rounded.png e73f.codepoint=accessible_sharp accessible_sharp=material/accessible_sharp.png e040.codepoint=account_balance account_balance=material/account_balance.png ee32.codepoint=account_balance_outlined account_balance_outlined=material/account_balance_outlined.png f51f.codepoint=account_balance_rounded account_balance_rounded=material/account_balance_rounded.png e740.codepoint=account_balance_sharp account_balance_sharp=material/account_balance_sharp.png e041.codepoint=account_balance_wallet account_balance_wallet=material/account_balance_wallet.png ee33.codepoint=account_balance_wallet_outlined account_balance_wallet_outlined=material/account_balance_wallet_outlined.png f520.codepoint=account_balance_wallet_rounded account_balance_wallet_rounded=material/account_balance_wallet_rounded.png e741.codepoint=account_balance_wallet_sharp account_balance_wallet_sharp=material/account_balance_wallet_sharp.png e042.codepoint=account_box account_box=material/account_box.png ee34.codepoint=account_box_outlined account_box_outlined=material/account_box_outlined.png f521.codepoint=account_box_rounded account_box_rounded=material/account_box_rounded.png e742.codepoint=account_box_sharp account_box_sharp=material/account_box_sharp.png e043.codepoint=account_circle account_circle=material/account_circle.png ee35.codepoint=account_circle_outlined account_circle_outlined=material/account_circle_outlined.png f522.codepoint=account_circle_rounded account_circle_rounded=material/account_circle_rounded.png e743.codepoint=account_circle_sharp account_circle_sharp=material/account_circle_sharp.png e044.codepoint=account_tree account_tree=material/account_tree.png ee36.codepoint=account_tree_outlined account_tree_outlined=material/account_tree_outlined.png f523.codepoint=account_tree_rounded account_tree_rounded=material/account_tree_rounded.png e744.codepoint=account_tree_sharp account_tree_sharp=material/account_tree_sharp.png e045.codepoint=ad_units ad_units=material/ad_units.png ee37.codepoint=ad_units_outlined ad_units_outlined=material/ad_units_outlined.png f524.codepoint=ad_units_rounded ad_units_rounded=material/ad_units_rounded.png e745.codepoint=ad_units_sharp ad_units_sharp=material/ad_units_sharp.png e046.codepoint=adb adb=material/adb.png ee38.codepoint=adb_outlined adb_outlined=material/adb_outlined.png f525.codepoint=adb_rounded adb_rounded=material/adb_rounded.png e746.codepoint=adb_sharp adb_sharp=material/adb_sharp.png e047.codepoint=add add=material/add.png e048.codepoint=add_a_photo add_a_photo=material/add_a_photo.png ee39.codepoint=add_a_photo_outlined add_a_photo_outlined=material/add_a_photo_outlined.png f526.codepoint=add_a_photo_rounded add_a_photo_rounded=material/add_a_photo_rounded.png e747.codepoint=add_a_photo_sharp add_a_photo_sharp=material/add_a_photo_sharp.png e049.codepoint=add_alarm add_alarm=material/add_alarm.png ee3a.codepoint=add_alarm_outlined add_alarm_outlined=material/add_alarm_outlined.png f527.codepoint=add_alarm_rounded add_alarm_rounded=material/add_alarm_rounded.png e748.codepoint=add_alarm_sharp add_alarm_sharp=material/add_alarm_sharp.png e04a.codepoint=add_alert add_alert=material/add_alert.png ee3b.codepoint=add_alert_outlined add_alert_outlined=material/add_alert_outlined.png f528.codepoint=add_alert_rounded add_alert_rounded=material/add_alert_rounded.png e749.codepoint=add_alert_sharp add_alert_sharp=material/add_alert_sharp.png e04b.codepoint=add_box add_box=material/add_box.png ee3c.codepoint=add_box_outlined add_box_outlined=material/add_box_outlined.png f529.codepoint=add_box_rounded add_box_rounded=material/add_box_rounded.png e74a.codepoint=add_box_sharp add_box_sharp=material/add_box_sharp.png e04c.codepoint=add_business add_business=material/add_business.png ee3d.codepoint=add_business_outlined add_business_outlined=material/add_business_outlined.png f52a.codepoint=add_business_rounded add_business_rounded=material/add_business_rounded.png e74b.codepoint=add_business_sharp add_business_sharp=material/add_business_sharp.png e04d.codepoint=add_call add_call=material/add_call.png f04b7.codepoint=add_card add_card=material/add_card.png f05b2.codepoint=add_card_outlined add_card_outlined=material/add_card_outlined.png f02d1.codepoint=add_card_rounded add_card_rounded=material/add_card_rounded.png f03c4.codepoint=add_card_sharp add_card_sharp=material/add_card_sharp.png e04e.codepoint=add_chart add_chart=material/add_chart.png ee3e.codepoint=add_chart_outlined add_chart_outlined=material/add_chart_outlined.png f52b.codepoint=add_chart_rounded add_chart_rounded=material/add_chart_rounded.png e74c.codepoint=add_chart_sharp add_chart_sharp=material/add_chart_sharp.png e04f.codepoint=add_circle add_circle=material/add_circle.png e050.codepoint=add_circle_outline add_circle_outline=material/add_circle_outline.png ee3f.codepoint=add_circle_outline_outlined add_circle_outline_outlined=material/add_circle_outline_outlined.png f52c.codepoint=add_circle_outline_rounded add_circle_outline_rounded=material/add_circle_outline_rounded.png e74d.codepoint=add_circle_outline_sharp add_circle_outline_sharp=material/add_circle_outline_sharp.png ee40.codepoint=add_circle_outlined add_circle_outlined=material/add_circle_outlined.png f52d.codepoint=add_circle_rounded add_circle_rounded=material/add_circle_rounded.png e74e.codepoint=add_circle_sharp add_circle_sharp=material/add_circle_sharp.png e051.codepoint=add_comment add_comment=material/add_comment.png ee41.codepoint=add_comment_outlined add_comment_outlined=material/add_comment_outlined.png f52e.codepoint=add_comment_rounded add_comment_rounded=material/add_comment_rounded.png e74f.codepoint=add_comment_sharp add_comment_sharp=material/add_comment_sharp.png f0785.codepoint=add_home add_home=material/add_home.png f06d5.codepoint=add_home_outlined add_home_outlined=material/add_home_outlined.png f07dd.codepoint=add_home_rounded add_home_rounded=material/add_home_rounded.png f072d.codepoint=add_home_sharp add_home_sharp=material/add_home_sharp.png f0786.codepoint=add_home_work add_home_work=material/add_home_work.png f06d6.codepoint=add_home_work_outlined add_home_work_outlined=material/add_home_work_outlined.png f07de.codepoint=add_home_work_rounded add_home_work_rounded=material/add_home_work_rounded.png f072e.codepoint=add_home_work_sharp add_home_work_sharp=material/add_home_work_sharp.png e052.codepoint=add_ic_call add_ic_call=material/add_ic_call.png ee42.codepoint=add_ic_call_outlined add_ic_call_outlined=material/add_ic_call_outlined.png f52f.codepoint=add_ic_call_rounded add_ic_call_rounded=material/add_ic_call_rounded.png e750.codepoint=add_ic_call_sharp add_ic_call_sharp=material/add_ic_call_sharp.png e053.codepoint=add_link add_link=material/add_link.png ee43.codepoint=add_link_outlined add_link_outlined=material/add_link_outlined.png f530.codepoint=add_link_rounded add_link_rounded=material/add_link_rounded.png e751.codepoint=add_link_sharp add_link_sharp=material/add_link_sharp.png e054.codepoint=add_location add_location=material/add_location.png e055.codepoint=add_location_alt add_location_alt=material/add_location_alt.png ee44.codepoint=add_location_alt_outlined add_location_alt_outlined=material/add_location_alt_outlined.png f531.codepoint=add_location_alt_rounded add_location_alt_rounded=material/add_location_alt_rounded.png e752.codepoint=add_location_alt_sharp add_location_alt_sharp=material/add_location_alt_sharp.png ee45.codepoint=add_location_outlined add_location_outlined=material/add_location_outlined.png f532.codepoint=add_location_rounded add_location_rounded=material/add_location_rounded.png e753.codepoint=add_location_sharp add_location_sharp=material/add_location_sharp.png e056.codepoint=add_moderator add_moderator=material/add_moderator.png ee46.codepoint=add_moderator_outlined add_moderator_outlined=material/add_moderator_outlined.png f533.codepoint=add_moderator_rounded add_moderator_rounded=material/add_moderator_rounded.png e754.codepoint=add_moderator_sharp add_moderator_sharp=material/add_moderator_sharp.png ee47.codepoint=add_outlined add_outlined=material/add_outlined.png e057.codepoint=add_photo_alternate add_photo_alternate=material/add_photo_alternate.png ee48.codepoint=add_photo_alternate_outlined add_photo_alternate_outlined=material/add_photo_alternate_outlined.png f534.codepoint=add_photo_alternate_rounded add_photo_alternate_rounded=material/add_photo_alternate_rounded.png e755.codepoint=add_photo_alternate_sharp add_photo_alternate_sharp=material/add_photo_alternate_sharp.png e058.codepoint=add_reaction add_reaction=material/add_reaction.png ee49.codepoint=add_reaction_outlined add_reaction_outlined=material/add_reaction_outlined.png f535.codepoint=add_reaction_rounded add_reaction_rounded=material/add_reaction_rounded.png e756.codepoint=add_reaction_sharp add_reaction_sharp=material/add_reaction_sharp.png e059.codepoint=add_road add_road=material/add_road.png ee4a.codepoint=add_road_outlined add_road_outlined=material/add_road_outlined.png f536.codepoint=add_road_rounded add_road_rounded=material/add_road_rounded.png e757.codepoint=add_road_sharp add_road_sharp=material/add_road_sharp.png f537.codepoint=add_rounded add_rounded=material/add_rounded.png e758.codepoint=add_sharp add_sharp=material/add_sharp.png e05a.codepoint=add_shopping_cart add_shopping_cart=material/add_shopping_cart.png ee4b.codepoint=add_shopping_cart_outlined add_shopping_cart_outlined=material/add_shopping_cart_outlined.png f538.codepoint=add_shopping_cart_rounded add_shopping_cart_rounded=material/add_shopping_cart_rounded.png e759.codepoint=add_shopping_cart_sharp add_shopping_cart_sharp=material/add_shopping_cart_sharp.png e05b.codepoint=add_task add_task=material/add_task.png ee4c.codepoint=add_task_outlined add_task_outlined=material/add_task_outlined.png f539.codepoint=add_task_rounded add_task_rounded=material/add_task_rounded.png e75a.codepoint=add_task_sharp add_task_sharp=material/add_task_sharp.png e05c.codepoint=add_to_drive add_to_drive=material/add_to_drive.png ee4d.codepoint=add_to_drive_outlined add_to_drive_outlined=material/add_to_drive_outlined.png f53a.codepoint=add_to_drive_rounded add_to_drive_rounded=material/add_to_drive_rounded.png e75b.codepoint=add_to_drive_sharp add_to_drive_sharp=material/add_to_drive_sharp.png e05d.codepoint=add_to_home_screen add_to_home_screen=material/add_to_home_screen.png ee4e.codepoint=add_to_home_screen_outlined add_to_home_screen_outlined=material/add_to_home_screen_outlined.png f53b.codepoint=add_to_home_screen_rounded add_to_home_screen_rounded=material/add_to_home_screen_rounded.png e75c.codepoint=add_to_home_screen_sharp add_to_home_screen_sharp=material/add_to_home_screen_sharp.png e05e.codepoint=add_to_photos add_to_photos=material/add_to_photos.png ee4f.codepoint=add_to_photos_outlined add_to_photos_outlined=material/add_to_photos_outlined.png f53c.codepoint=add_to_photos_rounded add_to_photos_rounded=material/add_to_photos_rounded.png e75d.codepoint=add_to_photos_sharp add_to_photos_sharp=material/add_to_photos_sharp.png e05f.codepoint=add_to_queue add_to_queue=material/add_to_queue.png ee50.codepoint=add_to_queue_outlined add_to_queue_outlined=material/add_to_queue_outlined.png f53d.codepoint=add_to_queue_rounded add_to_queue_rounded=material/add_to_queue_rounded.png e75e.codepoint=add_to_queue_sharp add_to_queue_sharp=material/add_to_queue_sharp.png e060.codepoint=addchart addchart=material/addchart.png ee51.codepoint=addchart_outlined addchart_outlined=material/addchart_outlined.png f53e.codepoint=addchart_rounded addchart_rounded=material/addchart_rounded.png e75f.codepoint=addchart_sharp addchart_sharp=material/addchart_sharp.png f04b8.codepoint=adf_scanner adf_scanner=material/adf_scanner.png f05b3.codepoint=adf_scanner_outlined adf_scanner_outlined=material/adf_scanner_outlined.png f02d2.codepoint=adf_scanner_rounded adf_scanner_rounded=material/adf_scanner_rounded.png f03c5.codepoint=adf_scanner_sharp adf_scanner_sharp=material/adf_scanner_sharp.png e061.codepoint=adjust adjust=material/adjust.png ee52.codepoint=adjust_outlined adjust_outlined=material/adjust_outlined.png f53f.codepoint=adjust_rounded adjust_rounded=material/adjust_rounded.png e760.codepoint=adjust_sharp adjust_sharp=material/adjust_sharp.png e062.codepoint=admin_panel_settings admin_panel_settings=material/admin_panel_settings.png ee53.codepoint=admin_panel_settings_outlined admin_panel_settings_outlined=material/admin_panel_settings_outlined.png f540.codepoint=admin_panel_settings_rounded admin_panel_settings_rounded=material/admin_panel_settings_rounded.png e761.codepoint=admin_panel_settings_sharp admin_panel_settings_sharp=material/admin_panel_settings_sharp.png f04b9.codepoint=adobe adobe=material/adobe.png f05b4.codepoint=adobe_outlined adobe_outlined=material/adobe_outlined.png f02d3.codepoint=adobe_rounded adobe_rounded=material/adobe_rounded.png f03c6.codepoint=adobe_sharp adobe_sharp=material/adobe_sharp.png f04ba.codepoint=ads_click ads_click=material/ads_click.png f05b5.codepoint=ads_click_outlined ads_click_outlined=material/ads_click_outlined.png f02d4.codepoint=ads_click_rounded ads_click_rounded=material/ads_click_rounded.png f03c7.codepoint=ads_click_sharp ads_click_sharp=material/ads_click_sharp.png e063.codepoint=agriculture agriculture=material/agriculture.png ee54.codepoint=agriculture_outlined agriculture_outlined=material/agriculture_outlined.png f541.codepoint=agriculture_rounded agriculture_rounded=material/agriculture_rounded.png e762.codepoint=agriculture_sharp agriculture_sharp=material/agriculture_sharp.png e064.codepoint=air air=material/air.png ee55.codepoint=air_outlined air_outlined=material/air_outlined.png f542.codepoint=air_rounded air_rounded=material/air_rounded.png e763.codepoint=air_sharp air_sharp=material/air_sharp.png e065.codepoint=airline_seat_flat airline_seat_flat=material/airline_seat_flat.png e066.codepoint=airline_seat_flat_angled airline_seat_flat_angled=material/airline_seat_flat_angled.png ee56.codepoint=airline_seat_flat_angled_outlined airline_seat_flat_angled_outlined=material/airline_seat_flat_angled_outlined.png f543.codepoint=airline_seat_flat_angled_rounded airline_seat_flat_angled_rounded=material/airline_seat_flat_angled_rounded.png e764.codepoint=airline_seat_flat_angled_sharp airline_seat_flat_angled_sharp=material/airline_seat_flat_angled_sharp.png ee57.codepoint=airline_seat_flat_outlined airline_seat_flat_outlined=material/airline_seat_flat_outlined.png f544.codepoint=airline_seat_flat_rounded airline_seat_flat_rounded=material/airline_seat_flat_rounded.png e765.codepoint=airline_seat_flat_sharp airline_seat_flat_sharp=material/airline_seat_flat_sharp.png e067.codepoint=airline_seat_individual_suite airline_seat_individual_suite=material/airline_seat_individual_suite.png ee58.codepoint=airline_seat_individual_suite_outlined airline_seat_individual_suite_outlined=material/airline_seat_individual_suite_outlined.png f545.codepoint=airline_seat_individual_suite_rounded airline_seat_individual_suite_rounded=material/airline_seat_individual_suite_rounded.png e766.codepoint=airline_seat_individual_suite_sharp airline_seat_individual_suite_sharp=material/airline_seat_individual_suite_sharp.png e068.codepoint=airline_seat_legroom_extra airline_seat_legroom_extra=material/airline_seat_legroom_extra.png ee59.codepoint=airline_seat_legroom_extra_outlined airline_seat_legroom_extra_outlined=material/airline_seat_legroom_extra_outlined.png f546.codepoint=airline_seat_legroom_extra_rounded airline_seat_legroom_extra_rounded=material/airline_seat_legroom_extra_rounded.png e767.codepoint=airline_seat_legroom_extra_sharp airline_seat_legroom_extra_sharp=material/airline_seat_legroom_extra_sharp.png e069.codepoint=airline_seat_legroom_normal airline_seat_legroom_normal=material/airline_seat_legroom_normal.png ee5a.codepoint=airline_seat_legroom_normal_outlined airline_seat_legroom_normal_outlined=material/airline_seat_legroom_normal_outlined.png f547.codepoint=airline_seat_legroom_normal_rounded airline_seat_legroom_normal_rounded=material/airline_seat_legroom_normal_rounded.png e768.codepoint=airline_seat_legroom_normal_sharp airline_seat_legroom_normal_sharp=material/airline_seat_legroom_normal_sharp.png e06a.codepoint=airline_seat_legroom_reduced airline_seat_legroom_reduced=material/airline_seat_legroom_reduced.png ee5b.codepoint=airline_seat_legroom_reduced_outlined airline_seat_legroom_reduced_outlined=material/airline_seat_legroom_reduced_outlined.png f548.codepoint=airline_seat_legroom_reduced_rounded airline_seat_legroom_reduced_rounded=material/airline_seat_legroom_reduced_rounded.png e769.codepoint=airline_seat_legroom_reduced_sharp airline_seat_legroom_reduced_sharp=material/airline_seat_legroom_reduced_sharp.png e06b.codepoint=airline_seat_recline_extra airline_seat_recline_extra=material/airline_seat_recline_extra.png ee5c.codepoint=airline_seat_recline_extra_outlined airline_seat_recline_extra_outlined=material/airline_seat_recline_extra_outlined.png f549.codepoint=airline_seat_recline_extra_rounded airline_seat_recline_extra_rounded=material/airline_seat_recline_extra_rounded.png e76a.codepoint=airline_seat_recline_extra_sharp airline_seat_recline_extra_sharp=material/airline_seat_recline_extra_sharp.png e06c.codepoint=airline_seat_recline_normal airline_seat_recline_normal=material/airline_seat_recline_normal.png ee5d.codepoint=airline_seat_recline_normal_outlined airline_seat_recline_normal_outlined=material/airline_seat_recline_normal_outlined.png f54a.codepoint=airline_seat_recline_normal_rounded airline_seat_recline_normal_rounded=material/airline_seat_recline_normal_rounded.png e76b.codepoint=airline_seat_recline_normal_sharp airline_seat_recline_normal_sharp=material/airline_seat_recline_normal_sharp.png f04bb.codepoint=airline_stops airline_stops=material/airline_stops.png f05b6.codepoint=airline_stops_outlined airline_stops_outlined=material/airline_stops_outlined.png f02d5.codepoint=airline_stops_rounded airline_stops_rounded=material/airline_stops_rounded.png f03c8.codepoint=airline_stops_sharp airline_stops_sharp=material/airline_stops_sharp.png f04bc.codepoint=airlines airlines=material/airlines.png f05b7.codepoint=airlines_outlined airlines_outlined=material/airlines_outlined.png f02d6.codepoint=airlines_rounded airlines_rounded=material/airlines_rounded.png f03c9.codepoint=airlines_sharp airlines_sharp=material/airlines_sharp.png e06d.codepoint=airplane_ticket airplane_ticket=material/airplane_ticket.png ee5e.codepoint=airplane_ticket_outlined airplane_ticket_outlined=material/airplane_ticket_outlined.png f54b.codepoint=airplane_ticket_rounded airplane_ticket_rounded=material/airplane_ticket_rounded.png e76c.codepoint=airplane_ticket_sharp airplane_ticket_sharp=material/airplane_ticket_sharp.png e06e.codepoint=airplanemode_active airplanemode_active=material/airplanemode_active.png ee5f.codepoint=airplanemode_active_outlined airplanemode_active_outlined=material/airplanemode_active_outlined.png f54c.codepoint=airplanemode_active_rounded airplanemode_active_rounded=material/airplanemode_active_rounded.png e76d.codepoint=airplanemode_active_sharp airplanemode_active_sharp=material/airplanemode_active_sharp.png e06f.codepoint=airplanemode_inactive airplanemode_inactive=material/airplanemode_inactive.png ee60.codepoint=airplanemode_inactive_outlined airplanemode_inactive_outlined=material/airplanemode_inactive_outlined.png f54d.codepoint=airplanemode_inactive_rounded airplanemode_inactive_rounded=material/airplanemode_inactive_rounded.png e76e.codepoint=airplanemode_inactive_sharp airplanemode_inactive_sharp=material/airplanemode_inactive_sharp.png # e06f.codepoint=airplanemode_off airplanemode_off=material/airplanemode_off.png # ee60.codepoint=airplanemode_off_outlined airplanemode_off_outlined=material/airplanemode_off_outlined.png # f54d.codepoint=airplanemode_off_rounded airplanemode_off_rounded=material/airplanemode_off_rounded.png # e76e.codepoint=airplanemode_off_sharp airplanemode_off_sharp=material/airplanemode_off_sharp.png # e06e.codepoint=airplanemode_on airplanemode_on=material/airplanemode_on.png # ee5f.codepoint=airplanemode_on_outlined airplanemode_on_outlined=material/airplanemode_on_outlined.png # f54c.codepoint=airplanemode_on_rounded airplanemode_on_rounded=material/airplanemode_on_rounded.png # e76d.codepoint=airplanemode_on_sharp airplanemode_on_sharp=material/airplanemode_on_sharp.png e070.codepoint=airplay airplay=material/airplay.png ee61.codepoint=airplay_outlined airplay_outlined=material/airplay_outlined.png f54e.codepoint=airplay_rounded airplay_rounded=material/airplay_rounded.png e76f.codepoint=airplay_sharp airplay_sharp=material/airplay_sharp.png e071.codepoint=airport_shuttle airport_shuttle=material/airport_shuttle.png ee62.codepoint=airport_shuttle_outlined airport_shuttle_outlined=material/airport_shuttle_outlined.png f54f.codepoint=airport_shuttle_rounded airport_shuttle_rounded=material/airport_shuttle_rounded.png e770.codepoint=airport_shuttle_sharp airport_shuttle_sharp=material/airport_shuttle_sharp.png e072.codepoint=alarm alarm=material/alarm.png e073.codepoint=alarm_add alarm_add=material/alarm_add.png ee63.codepoint=alarm_add_outlined alarm_add_outlined=material/alarm_add_outlined.png f550.codepoint=alarm_add_rounded alarm_add_rounded=material/alarm_add_rounded.png e771.codepoint=alarm_add_sharp alarm_add_sharp=material/alarm_add_sharp.png e074.codepoint=alarm_off alarm_off=material/alarm_off.png ee64.codepoint=alarm_off_outlined alarm_off_outlined=material/alarm_off_outlined.png f551.codepoint=alarm_off_rounded alarm_off_rounded=material/alarm_off_rounded.png e772.codepoint=alarm_off_sharp alarm_off_sharp=material/alarm_off_sharp.png e075.codepoint=alarm_on alarm_on=material/alarm_on.png ee65.codepoint=alarm_on_outlined alarm_on_outlined=material/alarm_on_outlined.png f552.codepoint=alarm_on_rounded alarm_on_rounded=material/alarm_on_rounded.png e773.codepoint=alarm_on_sharp alarm_on_sharp=material/alarm_on_sharp.png ee66.codepoint=alarm_outlined alarm_outlined=material/alarm_outlined.png f553.codepoint=alarm_rounded alarm_rounded=material/alarm_rounded.png e774.codepoint=alarm_sharp alarm_sharp=material/alarm_sharp.png e076.codepoint=album album=material/album.png ee67.codepoint=album_outlined album_outlined=material/album_outlined.png f554.codepoint=album_rounded album_rounded=material/album_rounded.png e775.codepoint=album_sharp album_sharp=material/album_sharp.png e077.codepoint=align_horizontal_center align_horizontal_center=material/align_horizontal_center.png ee68.codepoint=align_horizontal_center_outlined align_horizontal_center_outlined=material/align_horizontal_center_outlined.png f555.codepoint=align_horizontal_center_rounded align_horizontal_center_rounded=material/align_horizontal_center_rounded.png e776.codepoint=align_horizontal_center_sharp align_horizontal_center_sharp=material/align_horizontal_center_sharp.png e078.codepoint=align_horizontal_left align_horizontal_left=material/align_horizontal_left.png ee69.codepoint=align_horizontal_left_outlined align_horizontal_left_outlined=material/align_horizontal_left_outlined.png f556.codepoint=align_horizontal_left_rounded align_horizontal_left_rounded=material/align_horizontal_left_rounded.png e777.codepoint=align_horizontal_left_sharp align_horizontal_left_sharp=material/align_horizontal_left_sharp.png e079.codepoint=align_horizontal_right align_horizontal_right=material/align_horizontal_right.png ee6a.codepoint=align_horizontal_right_outlined align_horizontal_right_outlined=material/align_horizontal_right_outlined.png f557.codepoint=align_horizontal_right_rounded align_horizontal_right_rounded=material/align_horizontal_right_rounded.png e778.codepoint=align_horizontal_right_sharp align_horizontal_right_sharp=material/align_horizontal_right_sharp.png e07a.codepoint=align_vertical_bottom align_vertical_bottom=material/align_vertical_bottom.png ee6b.codepoint=align_vertical_bottom_outlined align_vertical_bottom_outlined=material/align_vertical_bottom_outlined.png f558.codepoint=align_vertical_bottom_rounded align_vertical_bottom_rounded=material/align_vertical_bottom_rounded.png e779.codepoint=align_vertical_bottom_sharp align_vertical_bottom_sharp=material/align_vertical_bottom_sharp.png e07b.codepoint=align_vertical_center align_vertical_center=material/align_vertical_center.png ee6c.codepoint=align_vertical_center_outlined align_vertical_center_outlined=material/align_vertical_center_outlined.png f559.codepoint=align_vertical_center_rounded align_vertical_center_rounded=material/align_vertical_center_rounded.png e77a.codepoint=align_vertical_center_sharp align_vertical_center_sharp=material/align_vertical_center_sharp.png e07c.codepoint=align_vertical_top align_vertical_top=material/align_vertical_top.png ee6d.codepoint=align_vertical_top_outlined align_vertical_top_outlined=material/align_vertical_top_outlined.png f55a.codepoint=align_vertical_top_rounded align_vertical_top_rounded=material/align_vertical_top_rounded.png e77b.codepoint=align_vertical_top_sharp align_vertical_top_sharp=material/align_vertical_top_sharp.png e07d.codepoint=all_inbox all_inbox=material/all_inbox.png ee6e.codepoint=all_inbox_outlined all_inbox_outlined=material/all_inbox_outlined.png f55b.codepoint=all_inbox_rounded all_inbox_rounded=material/all_inbox_rounded.png e77c.codepoint=all_inbox_sharp all_inbox_sharp=material/all_inbox_sharp.png e07e.codepoint=all_inclusive all_inclusive=material/all_inclusive.png ee6f.codepoint=all_inclusive_outlined all_inclusive_outlined=material/all_inclusive_outlined.png f55c.codepoint=all_inclusive_rounded all_inclusive_rounded=material/all_inclusive_rounded.png e77d.codepoint=all_inclusive_sharp all_inclusive_sharp=material/all_inclusive_sharp.png e07f.codepoint=all_out all_out=material/all_out.png ee70.codepoint=all_out_outlined all_out_outlined=material/all_out_outlined.png f55d.codepoint=all_out_rounded all_out_rounded=material/all_out_rounded.png e77e.codepoint=all_out_sharp all_out_sharp=material/all_out_sharp.png e080.codepoint=alt_route alt_route=material/alt_route.png ee71.codepoint=alt_route_outlined alt_route_outlined=material/alt_route_outlined.png f55e.codepoint=alt_route_rounded alt_route_rounded=material/alt_route_rounded.png e77f.codepoint=alt_route_sharp alt_route_sharp=material/alt_route_sharp.png e081.codepoint=alternate_email alternate_email=material/alternate_email.png ee72.codepoint=alternate_email_outlined alternate_email_outlined=material/alternate_email_outlined.png f55f.codepoint=alternate_email_rounded alternate_email_rounded=material/alternate_email_rounded.png e780.codepoint=alternate_email_sharp alternate_email_sharp=material/alternate_email_sharp.png e082.codepoint=amp_stories amp_stories=material/amp_stories.png ee73.codepoint=amp_stories_outlined amp_stories_outlined=material/amp_stories_outlined.png f560.codepoint=amp_stories_rounded amp_stories_rounded=material/amp_stories_rounded.png e781.codepoint=amp_stories_sharp amp_stories_sharp=material/amp_stories_sharp.png e083.codepoint=analytics analytics=material/analytics.png ee74.codepoint=analytics_outlined analytics_outlined=material/analytics_outlined.png f561.codepoint=analytics_rounded analytics_rounded=material/analytics_rounded.png e782.codepoint=analytics_sharp analytics_sharp=material/analytics_sharp.png e084.codepoint=anchor anchor=material/anchor.png ee75.codepoint=anchor_outlined anchor_outlined=material/anchor_outlined.png f562.codepoint=anchor_rounded anchor_rounded=material/anchor_rounded.png e783.codepoint=anchor_sharp anchor_sharp=material/anchor_sharp.png e085.codepoint=android android=material/android.png ee76.codepoint=android_outlined android_outlined=material/android_outlined.png f563.codepoint=android_rounded android_rounded=material/android_rounded.png e784.codepoint=android_sharp android_sharp=material/android_sharp.png e086.codepoint=animation animation=material/animation.png ee77.codepoint=animation_outlined animation_outlined=material/animation_outlined.png f564.codepoint=animation_rounded animation_rounded=material/animation_rounded.png e785.codepoint=animation_sharp animation_sharp=material/animation_sharp.png e087.codepoint=announcement announcement=material/announcement.png ee78.codepoint=announcement_outlined announcement_outlined=material/announcement_outlined.png f565.codepoint=announcement_rounded announcement_rounded=material/announcement_rounded.png e786.codepoint=announcement_sharp announcement_sharp=material/announcement_sharp.png e088.codepoint=aod aod=material/aod.png ee79.codepoint=aod_outlined aod_outlined=material/aod_outlined.png f566.codepoint=aod_rounded aod_rounded=material/aod_rounded.png e787.codepoint=aod_sharp aod_sharp=material/aod_sharp.png e089.codepoint=apartment apartment=material/apartment.png ee7a.codepoint=apartment_outlined apartment_outlined=material/apartment_outlined.png f567.codepoint=apartment_rounded apartment_rounded=material/apartment_rounded.png e788.codepoint=apartment_sharp apartment_sharp=material/apartment_sharp.png e08a.codepoint=api api=material/api.png ee7b.codepoint=api_outlined api_outlined=material/api_outlined.png f568.codepoint=api_rounded api_rounded=material/api_rounded.png e789.codepoint=api_sharp api_sharp=material/api_sharp.png e08b.codepoint=app_blocking app_blocking=material/app_blocking.png ee7c.codepoint=app_blocking_outlined app_blocking_outlined=material/app_blocking_outlined.png f569.codepoint=app_blocking_rounded app_blocking_rounded=material/app_blocking_rounded.png e78a.codepoint=app_blocking_sharp app_blocking_sharp=material/app_blocking_sharp.png e08c.codepoint=app_registration app_registration=material/app_registration.png ee7d.codepoint=app_registration_outlined app_registration_outlined=material/app_registration_outlined.png f56a.codepoint=app_registration_rounded app_registration_rounded=material/app_registration_rounded.png e78b.codepoint=app_registration_sharp app_registration_sharp=material/app_registration_sharp.png e08d.codepoint=app_settings_alt app_settings_alt=material/app_settings_alt.png ee7e.codepoint=app_settings_alt_outlined app_settings_alt_outlined=material/app_settings_alt_outlined.png f56b.codepoint=app_settings_alt_rounded app_settings_alt_rounded=material/app_settings_alt_rounded.png e78c.codepoint=app_settings_alt_sharp app_settings_alt_sharp=material/app_settings_alt_sharp.png f04bd.codepoint=app_shortcut app_shortcut=material/app_shortcut.png f05b8.codepoint=app_shortcut_outlined app_shortcut_outlined=material/app_shortcut_outlined.png f02d7.codepoint=app_shortcut_rounded app_shortcut_rounded=material/app_shortcut_rounded.png f03ca.codepoint=app_shortcut_sharp app_shortcut_sharp=material/app_shortcut_sharp.png f04be.codepoint=apple apple=material/apple.png f05b9.codepoint=apple_outlined apple_outlined=material/apple_outlined.png f02d8.codepoint=apple_rounded apple_rounded=material/apple_rounded.png f03cb.codepoint=apple_sharp apple_sharp=material/apple_sharp.png e08e.codepoint=approval approval=material/approval.png ee7f.codepoint=approval_outlined approval_outlined=material/approval_outlined.png f56c.codepoint=approval_rounded approval_rounded=material/approval_rounded.png e78d.codepoint=approval_sharp approval_sharp=material/approval_sharp.png e08f.codepoint=apps apps=material/apps.png f04bf.codepoint=apps_outage apps_outage=material/apps_outage.png f05ba.codepoint=apps_outage_outlined apps_outage_outlined=material/apps_outage_outlined.png f02d9.codepoint=apps_outage_rounded apps_outage_rounded=material/apps_outage_rounded.png f03cc.codepoint=apps_outage_sharp apps_outage_sharp=material/apps_outage_sharp.png ee80.codepoint=apps_outlined apps_outlined=material/apps_outlined.png f56d.codepoint=apps_rounded apps_rounded=material/apps_rounded.png e78e.codepoint=apps_sharp apps_sharp=material/apps_sharp.png e090.codepoint=architecture architecture=material/architecture.png ee81.codepoint=architecture_outlined architecture_outlined=material/architecture_outlined.png f56e.codepoint=architecture_rounded architecture_rounded=material/architecture_rounded.png e78f.codepoint=architecture_sharp architecture_sharp=material/architecture_sharp.png e091.codepoint=archive archive=material/archive.png ee82.codepoint=archive_outlined archive_outlined=material/archive_outlined.png f56f.codepoint=archive_rounded archive_rounded=material/archive_rounded.png e790.codepoint=archive_sharp archive_sharp=material/archive_sharp.png f04c0.codepoint=area_chart area_chart=material/area_chart.png f05bb.codepoint=area_chart_outlined area_chart_outlined=material/area_chart_outlined.png f02da.codepoint=area_chart_rounded area_chart_rounded=material/area_chart_rounded.png f03cd.codepoint=area_chart_sharp area_chart_sharp=material/area_chart_sharp.png e092.codepoint=arrow_back arrow_back=material/arrow_back.png e093.codepoint=arrow_back_ios arrow_back_ios=material/arrow_back_ios.png e094.codepoint=arrow_back_ios_new arrow_back_ios_new=material/arrow_back_ios_new.png ee83.codepoint=arrow_back_ios_new_outlined arrow_back_ios_new_outlined=material/arrow_back_ios_new_outlined.png f570.codepoint=arrow_back_ios_new_rounded arrow_back_ios_new_rounded=material/arrow_back_ios_new_rounded.png e791.codepoint=arrow_back_ios_new_sharp arrow_back_ios_new_sharp=material/arrow_back_ios_new_sharp.png ee84.codepoint=arrow_back_ios_outlined arrow_back_ios_outlined=material/arrow_back_ios_outlined.png f571.codepoint=arrow_back_ios_rounded arrow_back_ios_rounded=material/arrow_back_ios_rounded.png e792.codepoint=arrow_back_ios_sharp arrow_back_ios_sharp=material/arrow_back_ios_sharp.png ee85.codepoint=arrow_back_outlined arrow_back_outlined=material/arrow_back_outlined.png f572.codepoint=arrow_back_rounded arrow_back_rounded=material/arrow_back_rounded.png e793.codepoint=arrow_back_sharp arrow_back_sharp=material/arrow_back_sharp.png e095.codepoint=arrow_circle_down arrow_circle_down=material/arrow_circle_down.png ee86.codepoint=arrow_circle_down_outlined arrow_circle_down_outlined=material/arrow_circle_down_outlined.png f573.codepoint=arrow_circle_down_rounded arrow_circle_down_rounded=material/arrow_circle_down_rounded.png e794.codepoint=arrow_circle_down_sharp arrow_circle_down_sharp=material/arrow_circle_down_sharp.png f04c1.codepoint=arrow_circle_left arrow_circle_left=material/arrow_circle_left.png f05bc.codepoint=arrow_circle_left_outlined arrow_circle_left_outlined=material/arrow_circle_left_outlined.png f02db.codepoint=arrow_circle_left_rounded arrow_circle_left_rounded=material/arrow_circle_left_rounded.png f03ce.codepoint=arrow_circle_left_sharp arrow_circle_left_sharp=material/arrow_circle_left_sharp.png f04c2.codepoint=arrow_circle_right arrow_circle_right=material/arrow_circle_right.png f05bd.codepoint=arrow_circle_right_outlined arrow_circle_right_outlined=material/arrow_circle_right_outlined.png f02dc.codepoint=arrow_circle_right_rounded arrow_circle_right_rounded=material/arrow_circle_right_rounded.png f03cf.codepoint=arrow_circle_right_sharp arrow_circle_right_sharp=material/arrow_circle_right_sharp.png e096.codepoint=arrow_circle_up arrow_circle_up=material/arrow_circle_up.png ee87.codepoint=arrow_circle_up_outlined arrow_circle_up_outlined=material/arrow_circle_up_outlined.png f574.codepoint=arrow_circle_up_rounded arrow_circle_up_rounded=material/arrow_circle_up_rounded.png e795.codepoint=arrow_circle_up_sharp arrow_circle_up_sharp=material/arrow_circle_up_sharp.png e097.codepoint=arrow_downward arrow_downward=material/arrow_downward.png ee88.codepoint=arrow_downward_outlined arrow_downward_outlined=material/arrow_downward_outlined.png f575.codepoint=arrow_downward_rounded arrow_downward_rounded=material/arrow_downward_rounded.png e796.codepoint=arrow_downward_sharp arrow_downward_sharp=material/arrow_downward_sharp.png e098.codepoint=arrow_drop_down arrow_drop_down=material/arrow_drop_down.png e099.codepoint=arrow_drop_down_circle arrow_drop_down_circle=material/arrow_drop_down_circle.png ee89.codepoint=arrow_drop_down_circle_outlined arrow_drop_down_circle_outlined=material/arrow_drop_down_circle_outlined.png f576.codepoint=arrow_drop_down_circle_rounded arrow_drop_down_circle_rounded=material/arrow_drop_down_circle_rounded.png e797.codepoint=arrow_drop_down_circle_sharp arrow_drop_down_circle_sharp=material/arrow_drop_down_circle_sharp.png ee8a.codepoint=arrow_drop_down_outlined arrow_drop_down_outlined=material/arrow_drop_down_outlined.png f577.codepoint=arrow_drop_down_rounded arrow_drop_down_rounded=material/arrow_drop_down_rounded.png e798.codepoint=arrow_drop_down_sharp arrow_drop_down_sharp=material/arrow_drop_down_sharp.png e09a.codepoint=arrow_drop_up arrow_drop_up=material/arrow_drop_up.png ee8b.codepoint=arrow_drop_up_outlined arrow_drop_up_outlined=material/arrow_drop_up_outlined.png f578.codepoint=arrow_drop_up_rounded arrow_drop_up_rounded=material/arrow_drop_up_rounded.png e799.codepoint=arrow_drop_up_sharp arrow_drop_up_sharp=material/arrow_drop_up_sharp.png e09b.codepoint=arrow_forward arrow_forward=material/arrow_forward.png e09c.codepoint=arrow_forward_ios arrow_forward_ios=material/arrow_forward_ios.png ee8c.codepoint=arrow_forward_ios_outlined arrow_forward_ios_outlined=material/arrow_forward_ios_outlined.png f579.codepoint=arrow_forward_ios_rounded arrow_forward_ios_rounded=material/arrow_forward_ios_rounded.png e79a.codepoint=arrow_forward_ios_sharp arrow_forward_ios_sharp=material/arrow_forward_ios_sharp.png ee8d.codepoint=arrow_forward_outlined arrow_forward_outlined=material/arrow_forward_outlined.png f57a.codepoint=arrow_forward_rounded arrow_forward_rounded=material/arrow_forward_rounded.png e79b.codepoint=arrow_forward_sharp arrow_forward_sharp=material/arrow_forward_sharp.png e09d.codepoint=arrow_left arrow_left=material/arrow_left.png ee8e.codepoint=arrow_left_outlined arrow_left_outlined=material/arrow_left_outlined.png f57b.codepoint=arrow_left_rounded arrow_left_rounded=material/arrow_left_rounded.png e79c.codepoint=arrow_left_sharp arrow_left_sharp=material/arrow_left_sharp.png e09e.codepoint=arrow_right arrow_right=material/arrow_right.png e09f.codepoint=arrow_right_alt arrow_right_alt=material/arrow_right_alt.png ee8f.codepoint=arrow_right_alt_outlined arrow_right_alt_outlined=material/arrow_right_alt_outlined.png f57c.codepoint=arrow_right_alt_rounded arrow_right_alt_rounded=material/arrow_right_alt_rounded.png e79d.codepoint=arrow_right_alt_sharp arrow_right_alt_sharp=material/arrow_right_alt_sharp.png ee90.codepoint=arrow_right_outlined arrow_right_outlined=material/arrow_right_outlined.png f57d.codepoint=arrow_right_rounded arrow_right_rounded=material/arrow_right_rounded.png e79e.codepoint=arrow_right_sharp arrow_right_sharp=material/arrow_right_sharp.png e0a0.codepoint=arrow_upward arrow_upward=material/arrow_upward.png ee91.codepoint=arrow_upward_outlined arrow_upward_outlined=material/arrow_upward_outlined.png f57e.codepoint=arrow_upward_rounded arrow_upward_rounded=material/arrow_upward_rounded.png e79f.codepoint=arrow_upward_sharp arrow_upward_sharp=material/arrow_upward_sharp.png e0a1.codepoint=art_track art_track=material/art_track.png ee92.codepoint=art_track_outlined art_track_outlined=material/art_track_outlined.png f57f.codepoint=art_track_rounded art_track_rounded=material/art_track_rounded.png e7a0.codepoint=art_track_sharp art_track_sharp=material/art_track_sharp.png e0a2.codepoint=article article=material/article.png ee93.codepoint=article_outlined article_outlined=material/article_outlined.png f580.codepoint=article_rounded article_rounded=material/article_rounded.png e7a1.codepoint=article_sharp article_sharp=material/article_sharp.png e0a3.codepoint=aspect_ratio aspect_ratio=material/aspect_ratio.png ee94.codepoint=aspect_ratio_outlined aspect_ratio_outlined=material/aspect_ratio_outlined.png f581.codepoint=aspect_ratio_rounded aspect_ratio_rounded=material/aspect_ratio_rounded.png e7a2.codepoint=aspect_ratio_sharp aspect_ratio_sharp=material/aspect_ratio_sharp.png e0a4.codepoint=assessment assessment=material/assessment.png ee95.codepoint=assessment_outlined assessment_outlined=material/assessment_outlined.png f582.codepoint=assessment_rounded assessment_rounded=material/assessment_rounded.png e7a3.codepoint=assessment_sharp assessment_sharp=material/assessment_sharp.png e0a5.codepoint=assignment assignment=material/assignment.png e0a6.codepoint=assignment_ind assignment_ind=material/assignment_ind.png ee96.codepoint=assignment_ind_outlined assignment_ind_outlined=material/assignment_ind_outlined.png f583.codepoint=assignment_ind_rounded assignment_ind_rounded=material/assignment_ind_rounded.png e7a4.codepoint=assignment_ind_sharp assignment_ind_sharp=material/assignment_ind_sharp.png e0a7.codepoint=assignment_late assignment_late=material/assignment_late.png ee97.codepoint=assignment_late_outlined assignment_late_outlined=material/assignment_late_outlined.png f584.codepoint=assignment_late_rounded assignment_late_rounded=material/assignment_late_rounded.png e7a5.codepoint=assignment_late_sharp assignment_late_sharp=material/assignment_late_sharp.png ee98.codepoint=assignment_outlined assignment_outlined=material/assignment_outlined.png e0a8.codepoint=assignment_return assignment_return=material/assignment_return.png ee99.codepoint=assignment_return_outlined assignment_return_outlined=material/assignment_return_outlined.png f585.codepoint=assignment_return_rounded assignment_return_rounded=material/assignment_return_rounded.png e7a6.codepoint=assignment_return_sharp assignment_return_sharp=material/assignment_return_sharp.png e0a9.codepoint=assignment_returned assignment_returned=material/assignment_returned.png ee9a.codepoint=assignment_returned_outlined assignment_returned_outlined=material/assignment_returned_outlined.png f586.codepoint=assignment_returned_rounded assignment_returned_rounded=material/assignment_returned_rounded.png e7a7.codepoint=assignment_returned_sharp assignment_returned_sharp=material/assignment_returned_sharp.png f587.codepoint=assignment_rounded assignment_rounded=material/assignment_rounded.png e7a8.codepoint=assignment_sharp assignment_sharp=material/assignment_sharp.png e0aa.codepoint=assignment_turned_in assignment_turned_in=material/assignment_turned_in.png ee9b.codepoint=assignment_turned_in_outlined assignment_turned_in_outlined=material/assignment_turned_in_outlined.png f588.codepoint=assignment_turned_in_rounded assignment_turned_in_rounded=material/assignment_turned_in_rounded.png e7a9.codepoint=assignment_turned_in_sharp assignment_turned_in_sharp=material/assignment_turned_in_sharp.png e0ab.codepoint=assistant assistant=material/assistant.png e0ac.codepoint=assistant_direction assistant_direction=material/assistant_direction.png ee9c.codepoint=assistant_direction_outlined assistant_direction_outlined=material/assistant_direction_outlined.png f589.codepoint=assistant_direction_rounded assistant_direction_rounded=material/assistant_direction_rounded.png e7aa.codepoint=assistant_direction_sharp assistant_direction_sharp=material/assistant_direction_sharp.png e0ad.codepoint=assistant_navigation assistant_navigation=material/assistant_navigation.png ee9d.codepoint=assistant_outlined assistant_outlined=material/assistant_outlined.png e0ae.codepoint=assistant_photo assistant_photo=material/assistant_photo.png ee9e.codepoint=assistant_photo_outlined assistant_photo_outlined=material/assistant_photo_outlined.png f58a.codepoint=assistant_photo_rounded assistant_photo_rounded=material/assistant_photo_rounded.png e7ab.codepoint=assistant_photo_sharp assistant_photo_sharp=material/assistant_photo_sharp.png f58b.codepoint=assistant_rounded assistant_rounded=material/assistant_rounded.png e7ac.codepoint=assistant_sharp assistant_sharp=material/assistant_sharp.png f04c3.codepoint=assured_workload assured_workload=material/assured_workload.png f05be.codepoint=assured_workload_outlined assured_workload_outlined=material/assured_workload_outlined.png f02dd.codepoint=assured_workload_rounded assured_workload_rounded=material/assured_workload_rounded.png f03d0.codepoint=assured_workload_sharp assured_workload_sharp=material/assured_workload_sharp.png e0af.codepoint=atm atm=material/atm.png ee9f.codepoint=atm_outlined atm_outlined=material/atm_outlined.png f58c.codepoint=atm_rounded atm_rounded=material/atm_rounded.png e7ad.codepoint=atm_sharp atm_sharp=material/atm_sharp.png e0b0.codepoint=attach_email attach_email=material/attach_email.png eea0.codepoint=attach_email_outlined attach_email_outlined=material/attach_email_outlined.png f58d.codepoint=attach_email_rounded attach_email_rounded=material/attach_email_rounded.png e7ae.codepoint=attach_email_sharp attach_email_sharp=material/attach_email_sharp.png e0b1.codepoint=attach_file attach_file=material/attach_file.png eea1.codepoint=attach_file_outlined attach_file_outlined=material/attach_file_outlined.png f58e.codepoint=attach_file_rounded attach_file_rounded=material/attach_file_rounded.png e7af.codepoint=attach_file_sharp attach_file_sharp=material/attach_file_sharp.png e0b2.codepoint=attach_money attach_money=material/attach_money.png eea2.codepoint=attach_money_outlined attach_money_outlined=material/attach_money_outlined.png f58f.codepoint=attach_money_rounded attach_money_rounded=material/attach_money_rounded.png e7b0.codepoint=attach_money_sharp attach_money_sharp=material/attach_money_sharp.png e0b3.codepoint=attachment attachment=material/attachment.png eea3.codepoint=attachment_outlined attachment_outlined=material/attachment_outlined.png f590.codepoint=attachment_rounded attachment_rounded=material/attachment_rounded.png e7b1.codepoint=attachment_sharp attachment_sharp=material/attachment_sharp.png e0b4.codepoint=attractions attractions=material/attractions.png eea4.codepoint=attractions_outlined attractions_outlined=material/attractions_outlined.png f591.codepoint=attractions_rounded attractions_rounded=material/attractions_rounded.png e7b2.codepoint=attractions_sharp attractions_sharp=material/attractions_sharp.png e0b5.codepoint=attribution attribution=material/attribution.png eea5.codepoint=attribution_outlined attribution_outlined=material/attribution_outlined.png f592.codepoint=attribution_rounded attribution_rounded=material/attribution_rounded.png e7b3.codepoint=attribution_sharp attribution_sharp=material/attribution_sharp.png f04c4.codepoint=audio_file audio_file=material/audio_file.png f05bf.codepoint=audio_file_outlined audio_file_outlined=material/audio_file_outlined.png f02de.codepoint=audio_file_rounded audio_file_rounded=material/audio_file_rounded.png f03d1.codepoint=audio_file_sharp audio_file_sharp=material/audio_file_sharp.png e0b6.codepoint=audiotrack audiotrack=material/audiotrack.png eea6.codepoint=audiotrack_outlined audiotrack_outlined=material/audiotrack_outlined.png f593.codepoint=audiotrack_rounded audiotrack_rounded=material/audiotrack_rounded.png e7b4.codepoint=audiotrack_sharp audiotrack_sharp=material/audiotrack_sharp.png e0b7.codepoint=auto_awesome auto_awesome=material/auto_awesome.png e0b8.codepoint=auto_awesome_mosaic auto_awesome_mosaic=material/auto_awesome_mosaic.png eea7.codepoint=auto_awesome_mosaic_outlined auto_awesome_mosaic_outlined=material/auto_awesome_mosaic_outlined.png f594.codepoint=auto_awesome_mosaic_rounded auto_awesome_mosaic_rounded=material/auto_awesome_mosaic_rounded.png e7b5.codepoint=auto_awesome_mosaic_sharp auto_awesome_mosaic_sharp=material/auto_awesome_mosaic_sharp.png e0b9.codepoint=auto_awesome_motion auto_awesome_motion=material/auto_awesome_motion.png eea8.codepoint=auto_awesome_motion_outlined auto_awesome_motion_outlined=material/auto_awesome_motion_outlined.png f595.codepoint=auto_awesome_motion_rounded auto_awesome_motion_rounded=material/auto_awesome_motion_rounded.png e7b6.codepoint=auto_awesome_motion_sharp auto_awesome_motion_sharp=material/auto_awesome_motion_sharp.png eea9.codepoint=auto_awesome_outlined auto_awesome_outlined=material/auto_awesome_outlined.png f596.codepoint=auto_awesome_rounded auto_awesome_rounded=material/auto_awesome_rounded.png e7b7.codepoint=auto_awesome_sharp auto_awesome_sharp=material/auto_awesome_sharp.png e0ba.codepoint=auto_delete auto_delete=material/auto_delete.png eeaa.codepoint=auto_delete_outlined auto_delete_outlined=material/auto_delete_outlined.png f597.codepoint=auto_delete_rounded auto_delete_rounded=material/auto_delete_rounded.png e7b8.codepoint=auto_delete_sharp auto_delete_sharp=material/auto_delete_sharp.png e0bb.codepoint=auto_fix_high auto_fix_high=material/auto_fix_high.png eeab.codepoint=auto_fix_high_outlined auto_fix_high_outlined=material/auto_fix_high_outlined.png f598.codepoint=auto_fix_high_rounded auto_fix_high_rounded=material/auto_fix_high_rounded.png e7b9.codepoint=auto_fix_high_sharp auto_fix_high_sharp=material/auto_fix_high_sharp.png e0bc.codepoint=auto_fix_normal auto_fix_normal=material/auto_fix_normal.png eeac.codepoint=auto_fix_normal_outlined auto_fix_normal_outlined=material/auto_fix_normal_outlined.png f599.codepoint=auto_fix_normal_rounded auto_fix_normal_rounded=material/auto_fix_normal_rounded.png e7ba.codepoint=auto_fix_normal_sharp auto_fix_normal_sharp=material/auto_fix_normal_sharp.png e0bd.codepoint=auto_fix_off auto_fix_off=material/auto_fix_off.png eead.codepoint=auto_fix_off_outlined auto_fix_off_outlined=material/auto_fix_off_outlined.png f59a.codepoint=auto_fix_off_rounded auto_fix_off_rounded=material/auto_fix_off_rounded.png e7bb.codepoint=auto_fix_off_sharp auto_fix_off_sharp=material/auto_fix_off_sharp.png e0be.codepoint=auto_graph auto_graph=material/auto_graph.png eeae.codepoint=auto_graph_outlined auto_graph_outlined=material/auto_graph_outlined.png f59b.codepoint=auto_graph_rounded auto_graph_rounded=material/auto_graph_rounded.png e7bc.codepoint=auto_graph_sharp auto_graph_sharp=material/auto_graph_sharp.png f0787.codepoint=auto_mode auto_mode=material/auto_mode.png f06d7.codepoint=auto_mode_outlined auto_mode_outlined=material/auto_mode_outlined.png f07df.codepoint=auto_mode_rounded auto_mode_rounded=material/auto_mode_rounded.png f072f.codepoint=auto_mode_sharp auto_mode_sharp=material/auto_mode_sharp.png e0bf.codepoint=auto_stories auto_stories=material/auto_stories.png eeaf.codepoint=auto_stories_outlined auto_stories_outlined=material/auto_stories_outlined.png f59c.codepoint=auto_stories_rounded auto_stories_rounded=material/auto_stories_rounded.png e7bd.codepoint=auto_stories_sharp auto_stories_sharp=material/auto_stories_sharp.png e0c0.codepoint=autofps_select autofps_select=material/autofps_select.png eeb0.codepoint=autofps_select_outlined autofps_select_outlined=material/autofps_select_outlined.png f59d.codepoint=autofps_select_rounded autofps_select_rounded=material/autofps_select_rounded.png e7be.codepoint=autofps_select_sharp autofps_select_sharp=material/autofps_select_sharp.png e0c1.codepoint=autorenew autorenew=material/autorenew.png eeb1.codepoint=autorenew_outlined autorenew_outlined=material/autorenew_outlined.png f59e.codepoint=autorenew_rounded autorenew_rounded=material/autorenew_rounded.png e7bf.codepoint=autorenew_sharp autorenew_sharp=material/autorenew_sharp.png e0c2.codepoint=av_timer av_timer=material/av_timer.png eeb2.codepoint=av_timer_outlined av_timer_outlined=material/av_timer_outlined.png f59f.codepoint=av_timer_rounded av_timer_rounded=material/av_timer_rounded.png e7c0.codepoint=av_timer_sharp av_timer_sharp=material/av_timer_sharp.png e0c3.codepoint=baby_changing_station baby_changing_station=material/baby_changing_station.png eeb3.codepoint=baby_changing_station_outlined baby_changing_station_outlined=material/baby_changing_station_outlined.png f5a0.codepoint=baby_changing_station_rounded baby_changing_station_rounded=material/baby_changing_station_rounded.png e7c1.codepoint=baby_changing_station_sharp baby_changing_station_sharp=material/baby_changing_station_sharp.png f04c5.codepoint=back_hand back_hand=material/back_hand.png f05c0.codepoint=back_hand_outlined back_hand_outlined=material/back_hand_outlined.png f02df.codepoint=back_hand_rounded back_hand_rounded=material/back_hand_rounded.png f03d2.codepoint=back_hand_sharp back_hand_sharp=material/back_hand_sharp.png e0c4.codepoint=backpack backpack=material/backpack.png eeb4.codepoint=backpack_outlined backpack_outlined=material/backpack_outlined.png f5a1.codepoint=backpack_rounded backpack_rounded=material/backpack_rounded.png e7c2.codepoint=backpack_sharp backpack_sharp=material/backpack_sharp.png e0c5.codepoint=backspace backspace=material/backspace.png eeb5.codepoint=backspace_outlined backspace_outlined=material/backspace_outlined.png f5a2.codepoint=backspace_rounded backspace_rounded=material/backspace_rounded.png e7c3.codepoint=backspace_sharp backspace_sharp=material/backspace_sharp.png e0c6.codepoint=backup backup=material/backup.png eeb6.codepoint=backup_outlined backup_outlined=material/backup_outlined.png f5a3.codepoint=backup_rounded backup_rounded=material/backup_rounded.png e7c4.codepoint=backup_sharp backup_sharp=material/backup_sharp.png e0c7.codepoint=backup_table backup_table=material/backup_table.png eeb7.codepoint=backup_table_outlined backup_table_outlined=material/backup_table_outlined.png f5a4.codepoint=backup_table_rounded backup_table_rounded=material/backup_table_rounded.png e7c5.codepoint=backup_table_sharp backup_table_sharp=material/backup_table_sharp.png e0c8.codepoint=badge badge=material/badge.png eeb8.codepoint=badge_outlined badge_outlined=material/badge_outlined.png f5a5.codepoint=badge_rounded badge_rounded=material/badge_rounded.png e7c6.codepoint=badge_sharp badge_sharp=material/badge_sharp.png e0c9.codepoint=bakery_dining bakery_dining=material/bakery_dining.png eeb9.codepoint=bakery_dining_outlined bakery_dining_outlined=material/bakery_dining_outlined.png f5a6.codepoint=bakery_dining_rounded bakery_dining_rounded=material/bakery_dining_rounded.png e7c7.codepoint=bakery_dining_sharp bakery_dining_sharp=material/bakery_dining_sharp.png f04c6.codepoint=balance balance=material/balance.png f05c1.codepoint=balance_outlined balance_outlined=material/balance_outlined.png f02e0.codepoint=balance_rounded balance_rounded=material/balance_rounded.png f03d3.codepoint=balance_sharp balance_sharp=material/balance_sharp.png e0ca.codepoint=balcony balcony=material/balcony.png eeba.codepoint=balcony_outlined balcony_outlined=material/balcony_outlined.png f5a7.codepoint=balcony_rounded balcony_rounded=material/balcony_rounded.png e7c8.codepoint=balcony_sharp balcony_sharp=material/balcony_sharp.png e0cb.codepoint=ballot ballot=material/ballot.png eebb.codepoint=ballot_outlined ballot_outlined=material/ballot_outlined.png f5a8.codepoint=ballot_rounded ballot_rounded=material/ballot_rounded.png e7c9.codepoint=ballot_sharp ballot_sharp=material/ballot_sharp.png e0cc.codepoint=bar_chart bar_chart=material/bar_chart.png eebc.codepoint=bar_chart_outlined bar_chart_outlined=material/bar_chart_outlined.png f5a9.codepoint=bar_chart_rounded bar_chart_rounded=material/bar_chart_rounded.png e7ca.codepoint=bar_chart_sharp bar_chart_sharp=material/bar_chart_sharp.png e0cd.codepoint=batch_prediction batch_prediction=material/batch_prediction.png eebd.codepoint=batch_prediction_outlined batch_prediction_outlined=material/batch_prediction_outlined.png f5aa.codepoint=batch_prediction_rounded batch_prediction_rounded=material/batch_prediction_rounded.png e7cb.codepoint=batch_prediction_sharp batch_prediction_sharp=material/batch_prediction_sharp.png e0ce.codepoint=bathroom bathroom=material/bathroom.png eebe.codepoint=bathroom_outlined bathroom_outlined=material/bathroom_outlined.png f5ab.codepoint=bathroom_rounded bathroom_rounded=material/bathroom_rounded.png e7cc.codepoint=bathroom_sharp bathroom_sharp=material/bathroom_sharp.png e0cf.codepoint=bathtub bathtub=material/bathtub.png eebf.codepoint=bathtub_outlined bathtub_outlined=material/bathtub_outlined.png f5ac.codepoint=bathtub_rounded bathtub_rounded=material/bathtub_rounded.png e7cd.codepoint=bathtub_sharp bathtub_sharp=material/bathtub_sharp.png f0788.codepoint=battery_0_bar battery_0_bar=material/battery_0_bar.png f06d8.codepoint=battery_0_bar_outlined battery_0_bar_outlined=material/battery_0_bar_outlined.png f07e0.codepoint=battery_0_bar_rounded battery_0_bar_rounded=material/battery_0_bar_rounded.png f0730.codepoint=battery_0_bar_sharp battery_0_bar_sharp=material/battery_0_bar_sharp.png f0789.codepoint=battery_1_bar battery_1_bar=material/battery_1_bar.png f06d9.codepoint=battery_1_bar_outlined battery_1_bar_outlined=material/battery_1_bar_outlined.png f07e1.codepoint=battery_1_bar_rounded battery_1_bar_rounded=material/battery_1_bar_rounded.png f0731.codepoint=battery_1_bar_sharp battery_1_bar_sharp=material/battery_1_bar_sharp.png f078a.codepoint=battery_2_bar battery_2_bar=material/battery_2_bar.png f06da.codepoint=battery_2_bar_outlined battery_2_bar_outlined=material/battery_2_bar_outlined.png f07e2.codepoint=battery_2_bar_rounded battery_2_bar_rounded=material/battery_2_bar_rounded.png f0732.codepoint=battery_2_bar_sharp battery_2_bar_sharp=material/battery_2_bar_sharp.png f078b.codepoint=battery_3_bar battery_3_bar=material/battery_3_bar.png f06db.codepoint=battery_3_bar_outlined battery_3_bar_outlined=material/battery_3_bar_outlined.png f07e3.codepoint=battery_3_bar_rounded battery_3_bar_rounded=material/battery_3_bar_rounded.png f0733.codepoint=battery_3_bar_sharp battery_3_bar_sharp=material/battery_3_bar_sharp.png f078c.codepoint=battery_4_bar battery_4_bar=material/battery_4_bar.png f06dc.codepoint=battery_4_bar_outlined battery_4_bar_outlined=material/battery_4_bar_outlined.png f07e4.codepoint=battery_4_bar_rounded battery_4_bar_rounded=material/battery_4_bar_rounded.png f0734.codepoint=battery_4_bar_sharp battery_4_bar_sharp=material/battery_4_bar_sharp.png f078d.codepoint=battery_5_bar battery_5_bar=material/battery_5_bar.png f06dd.codepoint=battery_5_bar_outlined battery_5_bar_outlined=material/battery_5_bar_outlined.png f07e5.codepoint=battery_5_bar_rounded battery_5_bar_rounded=material/battery_5_bar_rounded.png f0735.codepoint=battery_5_bar_sharp battery_5_bar_sharp=material/battery_5_bar_sharp.png f078e.codepoint=battery_6_bar battery_6_bar=material/battery_6_bar.png f06de.codepoint=battery_6_bar_outlined battery_6_bar_outlined=material/battery_6_bar_outlined.png f07e6.codepoint=battery_6_bar_rounded battery_6_bar_rounded=material/battery_6_bar_rounded.png f0736.codepoint=battery_6_bar_sharp battery_6_bar_sharp=material/battery_6_bar_sharp.png e0d0.codepoint=battery_alert battery_alert=material/battery_alert.png eec0.codepoint=battery_alert_outlined battery_alert_outlined=material/battery_alert_outlined.png f5ad.codepoint=battery_alert_rounded battery_alert_rounded=material/battery_alert_rounded.png e7ce.codepoint=battery_alert_sharp battery_alert_sharp=material/battery_alert_sharp.png e0d1.codepoint=battery_charging_full battery_charging_full=material/battery_charging_full.png eec1.codepoint=battery_charging_full_outlined battery_charging_full_outlined=material/battery_charging_full_outlined.png f5ae.codepoint=battery_charging_full_rounded battery_charging_full_rounded=material/battery_charging_full_rounded.png e7cf.codepoint=battery_charging_full_sharp battery_charging_full_sharp=material/battery_charging_full_sharp.png e0d2.codepoint=battery_full battery_full=material/battery_full.png eec2.codepoint=battery_full_outlined battery_full_outlined=material/battery_full_outlined.png f5af.codepoint=battery_full_rounded battery_full_rounded=material/battery_full_rounded.png e7d0.codepoint=battery_full_sharp battery_full_sharp=material/battery_full_sharp.png e0d3.codepoint=battery_saver battery_saver=material/battery_saver.png eec3.codepoint=battery_saver_outlined battery_saver_outlined=material/battery_saver_outlined.png f5b0.codepoint=battery_saver_rounded battery_saver_rounded=material/battery_saver_rounded.png e7d1.codepoint=battery_saver_sharp battery_saver_sharp=material/battery_saver_sharp.png e0d4.codepoint=battery_std battery_std=material/battery_std.png eec4.codepoint=battery_std_outlined battery_std_outlined=material/battery_std_outlined.png f5b1.codepoint=battery_std_rounded battery_std_rounded=material/battery_std_rounded.png e7d2.codepoint=battery_std_sharp battery_std_sharp=material/battery_std_sharp.png e0d5.codepoint=battery_unknown battery_unknown=material/battery_unknown.png eec5.codepoint=battery_unknown_outlined battery_unknown_outlined=material/battery_unknown_outlined.png f5b2.codepoint=battery_unknown_rounded battery_unknown_rounded=material/battery_unknown_rounded.png e7d3.codepoint=battery_unknown_sharp battery_unknown_sharp=material/battery_unknown_sharp.png e0d6.codepoint=beach_access beach_access=material/beach_access.png eec6.codepoint=beach_access_outlined beach_access_outlined=material/beach_access_outlined.png f5b3.codepoint=beach_access_rounded beach_access_rounded=material/beach_access_rounded.png e7d4.codepoint=beach_access_sharp beach_access_sharp=material/beach_access_sharp.png e0d7.codepoint=bed bed=material/bed.png eec7.codepoint=bed_outlined bed_outlined=material/bed_outlined.png f5b4.codepoint=bed_rounded bed_rounded=material/bed_rounded.png e7d5.codepoint=bed_sharp bed_sharp=material/bed_sharp.png e0d8.codepoint=bedroom_baby bedroom_baby=material/bedroom_baby.png eec8.codepoint=bedroom_baby_outlined bedroom_baby_outlined=material/bedroom_baby_outlined.png f5b5.codepoint=bedroom_baby_rounded bedroom_baby_rounded=material/bedroom_baby_rounded.png e7d6.codepoint=bedroom_baby_sharp bedroom_baby_sharp=material/bedroom_baby_sharp.png e0d9.codepoint=bedroom_child bedroom_child=material/bedroom_child.png eec9.codepoint=bedroom_child_outlined bedroom_child_outlined=material/bedroom_child_outlined.png f5b6.codepoint=bedroom_child_rounded bedroom_child_rounded=material/bedroom_child_rounded.png e7d7.codepoint=bedroom_child_sharp bedroom_child_sharp=material/bedroom_child_sharp.png e0da.codepoint=bedroom_parent bedroom_parent=material/bedroom_parent.png eeca.codepoint=bedroom_parent_outlined bedroom_parent_outlined=material/bedroom_parent_outlined.png f5b7.codepoint=bedroom_parent_rounded bedroom_parent_rounded=material/bedroom_parent_rounded.png e7d8.codepoint=bedroom_parent_sharp bedroom_parent_sharp=material/bedroom_parent_sharp.png e0db.codepoint=bedtime bedtime=material/bedtime.png f04c7.codepoint=bedtime_off bedtime_off=material/bedtime_off.png f05c2.codepoint=bedtime_off_outlined bedtime_off_outlined=material/bedtime_off_outlined.png f02e1.codepoint=bedtime_off_rounded bedtime_off_rounded=material/bedtime_off_rounded.png f03d4.codepoint=bedtime_off_sharp bedtime_off_sharp=material/bedtime_off_sharp.png eecb.codepoint=bedtime_outlined bedtime_outlined=material/bedtime_outlined.png f5b8.codepoint=bedtime_rounded bedtime_rounded=material/bedtime_rounded.png e7d9.codepoint=bedtime_sharp bedtime_sharp=material/bedtime_sharp.png e0dc.codepoint=beenhere beenhere=material/beenhere.png eecc.codepoint=beenhere_outlined beenhere_outlined=material/beenhere_outlined.png f5b9.codepoint=beenhere_rounded beenhere_rounded=material/beenhere_rounded.png e7da.codepoint=beenhere_sharp beenhere_sharp=material/beenhere_sharp.png e0dd.codepoint=bento bento=material/bento.png eecd.codepoint=bento_outlined bento_outlined=material/bento_outlined.png f5ba.codepoint=bento_rounded bento_rounded=material/bento_rounded.png e7db.codepoint=bento_sharp bento_sharp=material/bento_sharp.png e0de.codepoint=bike_scooter bike_scooter=material/bike_scooter.png eece.codepoint=bike_scooter_outlined bike_scooter_outlined=material/bike_scooter_outlined.png f5bb.codepoint=bike_scooter_rounded bike_scooter_rounded=material/bike_scooter_rounded.png e7dc.codepoint=bike_scooter_sharp bike_scooter_sharp=material/bike_scooter_sharp.png e0df.codepoint=biotech biotech=material/biotech.png eecf.codepoint=biotech_outlined biotech_outlined=material/biotech_outlined.png f5bc.codepoint=biotech_rounded biotech_rounded=material/biotech_rounded.png e7dd.codepoint=biotech_sharp biotech_sharp=material/biotech_sharp.png e0e0.codepoint=blender blender=material/blender.png eed0.codepoint=blender_outlined blender_outlined=material/blender_outlined.png f5bd.codepoint=blender_rounded blender_rounded=material/blender_rounded.png e7de.codepoint=blender_sharp blender_sharp=material/blender_sharp.png f078f.codepoint=blinds blinds=material/blinds.png f0790.codepoint=blinds_closed blinds_closed=material/blinds_closed.png f06df.codepoint=blinds_closed_outlined blinds_closed_outlined=material/blinds_closed_outlined.png f07e7.codepoint=blinds_closed_rounded blinds_closed_rounded=material/blinds_closed_rounded.png f0737.codepoint=blinds_closed_sharp blinds_closed_sharp=material/blinds_closed_sharp.png f06e0.codepoint=blinds_outlined blinds_outlined=material/blinds_outlined.png f07e8.codepoint=blinds_rounded blinds_rounded=material/blinds_rounded.png f0738.codepoint=blinds_sharp blinds_sharp=material/blinds_sharp.png e0e1.codepoint=block block=material/block.png e0e2.codepoint=block_flipped block_flipped=material/block_flipped.png eed1.codepoint=block_outlined block_outlined=material/block_outlined.png f5be.codepoint=block_rounded block_rounded=material/block_rounded.png e7df.codepoint=block_sharp block_sharp=material/block_sharp.png e0e3.codepoint=bloodtype bloodtype=material/bloodtype.png eed2.codepoint=bloodtype_outlined bloodtype_outlined=material/bloodtype_outlined.png f5bf.codepoint=bloodtype_rounded bloodtype_rounded=material/bloodtype_rounded.png e7e0.codepoint=bloodtype_sharp bloodtype_sharp=material/bloodtype_sharp.png e0e4.codepoint=bluetooth bluetooth=material/bluetooth.png e0e5.codepoint=bluetooth_audio bluetooth_audio=material/bluetooth_audio.png eed3.codepoint=bluetooth_audio_outlined bluetooth_audio_outlined=material/bluetooth_audio_outlined.png f5c0.codepoint=bluetooth_audio_rounded bluetooth_audio_rounded=material/bluetooth_audio_rounded.png e7e1.codepoint=bluetooth_audio_sharp bluetooth_audio_sharp=material/bluetooth_audio_sharp.png e0e6.codepoint=bluetooth_connected bluetooth_connected=material/bluetooth_connected.png eed4.codepoint=bluetooth_connected_outlined bluetooth_connected_outlined=material/bluetooth_connected_outlined.png f5c1.codepoint=bluetooth_connected_rounded bluetooth_connected_rounded=material/bluetooth_connected_rounded.png e7e2.codepoint=bluetooth_connected_sharp bluetooth_connected_sharp=material/bluetooth_connected_sharp.png e0e7.codepoint=bluetooth_disabled bluetooth_disabled=material/bluetooth_disabled.png eed5.codepoint=bluetooth_disabled_outlined bluetooth_disabled_outlined=material/bluetooth_disabled_outlined.png f5c2.codepoint=bluetooth_disabled_rounded bluetooth_disabled_rounded=material/bluetooth_disabled_rounded.png e7e3.codepoint=bluetooth_disabled_sharp bluetooth_disabled_sharp=material/bluetooth_disabled_sharp.png e0e8.codepoint=bluetooth_drive bluetooth_drive=material/bluetooth_drive.png eed6.codepoint=bluetooth_drive_outlined bluetooth_drive_outlined=material/bluetooth_drive_outlined.png f5c3.codepoint=bluetooth_drive_rounded bluetooth_drive_rounded=material/bluetooth_drive_rounded.png e7e4.codepoint=bluetooth_drive_sharp bluetooth_drive_sharp=material/bluetooth_drive_sharp.png eed7.codepoint=bluetooth_outlined bluetooth_outlined=material/bluetooth_outlined.png f5c4.codepoint=bluetooth_rounded bluetooth_rounded=material/bluetooth_rounded.png e0e9.codepoint=bluetooth_searching bluetooth_searching=material/bluetooth_searching.png eed8.codepoint=bluetooth_searching_outlined bluetooth_searching_outlined=material/bluetooth_searching_outlined.png f5c5.codepoint=bluetooth_searching_rounded bluetooth_searching_rounded=material/bluetooth_searching_rounded.png e7e5.codepoint=bluetooth_searching_sharp bluetooth_searching_sharp=material/bluetooth_searching_sharp.png e7e6.codepoint=bluetooth_sharp bluetooth_sharp=material/bluetooth_sharp.png e0ea.codepoint=blur_circular blur_circular=material/blur_circular.png eed9.codepoint=blur_circular_outlined blur_circular_outlined=material/blur_circular_outlined.png f5c6.codepoint=blur_circular_rounded blur_circular_rounded=material/blur_circular_rounded.png e7e7.codepoint=blur_circular_sharp blur_circular_sharp=material/blur_circular_sharp.png e0eb.codepoint=blur_linear blur_linear=material/blur_linear.png eeda.codepoint=blur_linear_outlined blur_linear_outlined=material/blur_linear_outlined.png f5c7.codepoint=blur_linear_rounded blur_linear_rounded=material/blur_linear_rounded.png e7e8.codepoint=blur_linear_sharp blur_linear_sharp=material/blur_linear_sharp.png e0ec.codepoint=blur_off blur_off=material/blur_off.png eedb.codepoint=blur_off_outlined blur_off_outlined=material/blur_off_outlined.png f5c8.codepoint=blur_off_rounded blur_off_rounded=material/blur_off_rounded.png e7e9.codepoint=blur_off_sharp blur_off_sharp=material/blur_off_sharp.png e0ed.codepoint=blur_on blur_on=material/blur_on.png eedc.codepoint=blur_on_outlined blur_on_outlined=material/blur_on_outlined.png f5c9.codepoint=blur_on_rounded blur_on_rounded=material/blur_on_rounded.png e7ea.codepoint=blur_on_sharp blur_on_sharp=material/blur_on_sharp.png e0ee.codepoint=bolt bolt=material/bolt.png eedd.codepoint=bolt_outlined bolt_outlined=material/bolt_outlined.png f5ca.codepoint=bolt_rounded bolt_rounded=material/bolt_rounded.png e7eb.codepoint=bolt_sharp bolt_sharp=material/bolt_sharp.png e0ef.codepoint=book book=material/book.png e0f0.codepoint=book_online book_online=material/book_online.png eede.codepoint=book_online_outlined book_online_outlined=material/book_online_outlined.png f5cb.codepoint=book_online_rounded book_online_rounded=material/book_online_rounded.png e7ec.codepoint=book_online_sharp book_online_sharp=material/book_online_sharp.png eedf.codepoint=book_outlined book_outlined=material/book_outlined.png f5cc.codepoint=book_rounded book_rounded=material/book_rounded.png e7ed.codepoint=book_sharp book_sharp=material/book_sharp.png e0f1.codepoint=bookmark bookmark=material/bookmark.png e0f2.codepoint=bookmark_add bookmark_add=material/bookmark_add.png eee0.codepoint=bookmark_add_outlined bookmark_add_outlined=material/bookmark_add_outlined.png f5cd.codepoint=bookmark_add_rounded bookmark_add_rounded=material/bookmark_add_rounded.png e7ee.codepoint=bookmark_add_sharp bookmark_add_sharp=material/bookmark_add_sharp.png e0f3.codepoint=bookmark_added bookmark_added=material/bookmark_added.png eee1.codepoint=bookmark_added_outlined bookmark_added_outlined=material/bookmark_added_outlined.png f5ce.codepoint=bookmark_added_rounded bookmark_added_rounded=material/bookmark_added_rounded.png e7ef.codepoint=bookmark_added_sharp bookmark_added_sharp=material/bookmark_added_sharp.png e0f4.codepoint=bookmark_border bookmark_border=material/bookmark_border.png eee2.codepoint=bookmark_border_outlined bookmark_border_outlined=material/bookmark_border_outlined.png f5cf.codepoint=bookmark_border_rounded bookmark_border_rounded=material/bookmark_border_rounded.png e7f0.codepoint=bookmark_border_sharp bookmark_border_sharp=material/bookmark_border_sharp.png # e0f4.codepoint=bookmark_outline bookmark_outline=material/bookmark_outline.png # eee2.codepoint=bookmark_outline_outlined bookmark_outline_outlined=material/bookmark_outline_outlined.png # f5cf.codepoint=bookmark_outline_rounded bookmark_outline_rounded=material/bookmark_outline_rounded.png # e7f0.codepoint=bookmark_outline_sharp bookmark_outline_sharp=material/bookmark_outline_sharp.png eee3.codepoint=bookmark_outlined bookmark_outlined=material/bookmark_outlined.png e0f5.codepoint=bookmark_remove bookmark_remove=material/bookmark_remove.png eee4.codepoint=bookmark_remove_outlined bookmark_remove_outlined=material/bookmark_remove_outlined.png f5d0.codepoint=bookmark_remove_rounded bookmark_remove_rounded=material/bookmark_remove_rounded.png e7f1.codepoint=bookmark_remove_sharp bookmark_remove_sharp=material/bookmark_remove_sharp.png f5d1.codepoint=bookmark_rounded bookmark_rounded=material/bookmark_rounded.png e7f2.codepoint=bookmark_sharp bookmark_sharp=material/bookmark_sharp.png e0f6.codepoint=bookmarks bookmarks=material/bookmarks.png eee5.codepoint=bookmarks_outlined bookmarks_outlined=material/bookmarks_outlined.png f5d2.codepoint=bookmarks_rounded bookmarks_rounded=material/bookmarks_rounded.png e7f3.codepoint=bookmarks_sharp bookmarks_sharp=material/bookmarks_sharp.png e0f7.codepoint=border_all border_all=material/border_all.png eee6.codepoint=border_all_outlined border_all_outlined=material/border_all_outlined.png f5d3.codepoint=border_all_rounded border_all_rounded=material/border_all_rounded.png e7f4.codepoint=border_all_sharp border_all_sharp=material/border_all_sharp.png e0f8.codepoint=border_bottom border_bottom=material/border_bottom.png eee7.codepoint=border_bottom_outlined border_bottom_outlined=material/border_bottom_outlined.png f5d4.codepoint=border_bottom_rounded border_bottom_rounded=material/border_bottom_rounded.png e7f5.codepoint=border_bottom_sharp border_bottom_sharp=material/border_bottom_sharp.png e0f9.codepoint=border_clear border_clear=material/border_clear.png eee8.codepoint=border_clear_outlined border_clear_outlined=material/border_clear_outlined.png f5d5.codepoint=border_clear_rounded border_clear_rounded=material/border_clear_rounded.png e7f6.codepoint=border_clear_sharp border_clear_sharp=material/border_clear_sharp.png e0fa.codepoint=border_color border_color=material/border_color.png eee9.codepoint=border_color_outlined border_color_outlined=material/border_color_outlined.png f5d6.codepoint=border_color_rounded border_color_rounded=material/border_color_rounded.png e7f7.codepoint=border_color_sharp border_color_sharp=material/border_color_sharp.png e0fb.codepoint=border_horizontal border_horizontal=material/border_horizontal.png eeea.codepoint=border_horizontal_outlined border_horizontal_outlined=material/border_horizontal_outlined.png f5d7.codepoint=border_horizontal_rounded border_horizontal_rounded=material/border_horizontal_rounded.png e7f8.codepoint=border_horizontal_sharp border_horizontal_sharp=material/border_horizontal_sharp.png e0fc.codepoint=border_inner border_inner=material/border_inner.png eeeb.codepoint=border_inner_outlined border_inner_outlined=material/border_inner_outlined.png f5d8.codepoint=border_inner_rounded border_inner_rounded=material/border_inner_rounded.png e7f9.codepoint=border_inner_sharp border_inner_sharp=material/border_inner_sharp.png e0fd.codepoint=border_left border_left=material/border_left.png eeec.codepoint=border_left_outlined border_left_outlined=material/border_left_outlined.png f5d9.codepoint=border_left_rounded border_left_rounded=material/border_left_rounded.png e7fa.codepoint=border_left_sharp border_left_sharp=material/border_left_sharp.png e0fe.codepoint=border_outer border_outer=material/border_outer.png eeed.codepoint=border_outer_outlined border_outer_outlined=material/border_outer_outlined.png f5da.codepoint=border_outer_rounded border_outer_rounded=material/border_outer_rounded.png e7fb.codepoint=border_outer_sharp border_outer_sharp=material/border_outer_sharp.png e0ff.codepoint=border_right border_right=material/border_right.png eeee.codepoint=border_right_outlined border_right_outlined=material/border_right_outlined.png f5db.codepoint=border_right_rounded border_right_rounded=material/border_right_rounded.png e7fc.codepoint=border_right_sharp border_right_sharp=material/border_right_sharp.png e100.codepoint=border_style border_style=material/border_style.png eeef.codepoint=border_style_outlined border_style_outlined=material/border_style_outlined.png f5dc.codepoint=border_style_rounded border_style_rounded=material/border_style_rounded.png e7fd.codepoint=border_style_sharp border_style_sharp=material/border_style_sharp.png e101.codepoint=border_top border_top=material/border_top.png eef0.codepoint=border_top_outlined border_top_outlined=material/border_top_outlined.png f5dd.codepoint=border_top_rounded border_top_rounded=material/border_top_rounded.png e7fe.codepoint=border_top_sharp border_top_sharp=material/border_top_sharp.png e102.codepoint=border_vertical border_vertical=material/border_vertical.png eef1.codepoint=border_vertical_outlined border_vertical_outlined=material/border_vertical_outlined.png f5de.codepoint=border_vertical_rounded border_vertical_rounded=material/border_vertical_rounded.png e7ff.codepoint=border_vertical_sharp border_vertical_sharp=material/border_vertical_sharp.png f04c8.codepoint=boy boy=material/boy.png f05c3.codepoint=boy_outlined boy_outlined=material/boy_outlined.png f02e2.codepoint=boy_rounded boy_rounded=material/boy_rounded.png f03d5.codepoint=boy_sharp boy_sharp=material/boy_sharp.png e103.codepoint=branding_watermark branding_watermark=material/branding_watermark.png eef2.codepoint=branding_watermark_outlined branding_watermark_outlined=material/branding_watermark_outlined.png f5df.codepoint=branding_watermark_rounded branding_watermark_rounded=material/branding_watermark_rounded.png e800.codepoint=branding_watermark_sharp branding_watermark_sharp=material/branding_watermark_sharp.png e104.codepoint=breakfast_dining breakfast_dining=material/breakfast_dining.png eef3.codepoint=breakfast_dining_outlined breakfast_dining_outlined=material/breakfast_dining_outlined.png f5e0.codepoint=breakfast_dining_rounded breakfast_dining_rounded=material/breakfast_dining_rounded.png e801.codepoint=breakfast_dining_sharp breakfast_dining_sharp=material/breakfast_dining_sharp.png e105.codepoint=brightness_1 brightness_1=material/brightness_1.png eef4.codepoint=brightness_1_outlined brightness_1_outlined=material/brightness_1_outlined.png f5e1.codepoint=brightness_1_rounded brightness_1_rounded=material/brightness_1_rounded.png e802.codepoint=brightness_1_sharp brightness_1_sharp=material/brightness_1_sharp.png e106.codepoint=brightness_2 brightness_2=material/brightness_2.png eef5.codepoint=brightness_2_outlined brightness_2_outlined=material/brightness_2_outlined.png f5e2.codepoint=brightness_2_rounded brightness_2_rounded=material/brightness_2_rounded.png e803.codepoint=brightness_2_sharp brightness_2_sharp=material/brightness_2_sharp.png e107.codepoint=brightness_3 brightness_3=material/brightness_3.png eef6.codepoint=brightness_3_outlined brightness_3_outlined=material/brightness_3_outlined.png f5e3.codepoint=brightness_3_rounded brightness_3_rounded=material/brightness_3_rounded.png e804.codepoint=brightness_3_sharp brightness_3_sharp=material/brightness_3_sharp.png e108.codepoint=brightness_4 brightness_4=material/brightness_4.png eef7.codepoint=brightness_4_outlined brightness_4_outlined=material/brightness_4_outlined.png f5e4.codepoint=brightness_4_rounded brightness_4_rounded=material/brightness_4_rounded.png e805.codepoint=brightness_4_sharp brightness_4_sharp=material/brightness_4_sharp.png e109.codepoint=brightness_5 brightness_5=material/brightness_5.png eef8.codepoint=brightness_5_outlined brightness_5_outlined=material/brightness_5_outlined.png f5e5.codepoint=brightness_5_rounded brightness_5_rounded=material/brightness_5_rounded.png e806.codepoint=brightness_5_sharp brightness_5_sharp=material/brightness_5_sharp.png e10a.codepoint=brightness_6 brightness_6=material/brightness_6.png eef9.codepoint=brightness_6_outlined brightness_6_outlined=material/brightness_6_outlined.png f5e6.codepoint=brightness_6_rounded brightness_6_rounded=material/brightness_6_rounded.png e807.codepoint=brightness_6_sharp brightness_6_sharp=material/brightness_6_sharp.png e10b.codepoint=brightness_7 brightness_7=material/brightness_7.png eefa.codepoint=brightness_7_outlined brightness_7_outlined=material/brightness_7_outlined.png f5e7.codepoint=brightness_7_rounded brightness_7_rounded=material/brightness_7_rounded.png e808.codepoint=brightness_7_sharp brightness_7_sharp=material/brightness_7_sharp.png e10c.codepoint=brightness_auto brightness_auto=material/brightness_auto.png eefb.codepoint=brightness_auto_outlined brightness_auto_outlined=material/brightness_auto_outlined.png f5e8.codepoint=brightness_auto_rounded brightness_auto_rounded=material/brightness_auto_rounded.png e809.codepoint=brightness_auto_sharp brightness_auto_sharp=material/brightness_auto_sharp.png e10d.codepoint=brightness_high brightness_high=material/brightness_high.png eefc.codepoint=brightness_high_outlined brightness_high_outlined=material/brightness_high_outlined.png f5e9.codepoint=brightness_high_rounded brightness_high_rounded=material/brightness_high_rounded.png e80a.codepoint=brightness_high_sharp brightness_high_sharp=material/brightness_high_sharp.png e10e.codepoint=brightness_low brightness_low=material/brightness_low.png eefd.codepoint=brightness_low_outlined brightness_low_outlined=material/brightness_low_outlined.png f5ea.codepoint=brightness_low_rounded brightness_low_rounded=material/brightness_low_rounded.png e80b.codepoint=brightness_low_sharp brightness_low_sharp=material/brightness_low_sharp.png e10f.codepoint=brightness_medium brightness_medium=material/brightness_medium.png eefe.codepoint=brightness_medium_outlined brightness_medium_outlined=material/brightness_medium_outlined.png f5eb.codepoint=brightness_medium_rounded brightness_medium_rounded=material/brightness_medium_rounded.png e80c.codepoint=brightness_medium_sharp brightness_medium_sharp=material/brightness_medium_sharp.png f0791.codepoint=broadcast_on_home broadcast_on_home=material/broadcast_on_home.png f06e1.codepoint=broadcast_on_home_outlined broadcast_on_home_outlined=material/broadcast_on_home_outlined.png f07e9.codepoint=broadcast_on_home_rounded broadcast_on_home_rounded=material/broadcast_on_home_rounded.png f0739.codepoint=broadcast_on_home_sharp broadcast_on_home_sharp=material/broadcast_on_home_sharp.png f0792.codepoint=broadcast_on_personal broadcast_on_personal=material/broadcast_on_personal.png f06e2.codepoint=broadcast_on_personal_outlined broadcast_on_personal_outlined=material/broadcast_on_personal_outlined.png f07ea.codepoint=broadcast_on_personal_rounded broadcast_on_personal_rounded=material/broadcast_on_personal_rounded.png f073a.codepoint=broadcast_on_personal_sharp broadcast_on_personal_sharp=material/broadcast_on_personal_sharp.png e110.codepoint=broken_image broken_image=material/broken_image.png eeff.codepoint=broken_image_outlined broken_image_outlined=material/broken_image_outlined.png f5ec.codepoint=broken_image_rounded broken_image_rounded=material/broken_image_rounded.png e80d.codepoint=broken_image_sharp broken_image_sharp=material/broken_image_sharp.png f06ba.codepoint=browse_gallery browse_gallery=material/browse_gallery.png f03bc.codepoint=browse_gallery_outlined browse_gallery_outlined=material/browse_gallery_outlined.png f06c7.codepoint=browse_gallery_rounded browse_gallery_rounded=material/browse_gallery_rounded.png f06ad.codepoint=browse_gallery_sharp browse_gallery_sharp=material/browse_gallery_sharp.png e111.codepoint=browser_not_supported browser_not_supported=material/browser_not_supported.png ef00.codepoint=browser_not_supported_outlined browser_not_supported_outlined=material/browser_not_supported_outlined.png f5ed.codepoint=browser_not_supported_rounded browser_not_supported_rounded=material/browser_not_supported_rounded.png e80e.codepoint=browser_not_supported_sharp browser_not_supported_sharp=material/browser_not_supported_sharp.png f04c9.codepoint=browser_updated browser_updated=material/browser_updated.png f05c4.codepoint=browser_updated_outlined browser_updated_outlined=material/browser_updated_outlined.png f02e3.codepoint=browser_updated_rounded browser_updated_rounded=material/browser_updated_rounded.png f03d6.codepoint=browser_updated_sharp browser_updated_sharp=material/browser_updated_sharp.png e112.codepoint=brunch_dining brunch_dining=material/brunch_dining.png ef01.codepoint=brunch_dining_outlined brunch_dining_outlined=material/brunch_dining_outlined.png f5ee.codepoint=brunch_dining_rounded brunch_dining_rounded=material/brunch_dining_rounded.png e80f.codepoint=brunch_dining_sharp brunch_dining_sharp=material/brunch_dining_sharp.png e113.codepoint=brush brush=material/brush.png ef02.codepoint=brush_outlined brush_outlined=material/brush_outlined.png f5ef.codepoint=brush_rounded brush_rounded=material/brush_rounded.png e810.codepoint=brush_sharp brush_sharp=material/brush_sharp.png e114.codepoint=bubble_chart bubble_chart=material/bubble_chart.png ef03.codepoint=bubble_chart_outlined bubble_chart_outlined=material/bubble_chart_outlined.png f5f0.codepoint=bubble_chart_rounded bubble_chart_rounded=material/bubble_chart_rounded.png e811.codepoint=bubble_chart_sharp bubble_chart_sharp=material/bubble_chart_sharp.png e115.codepoint=bug_report bug_report=material/bug_report.png ef04.codepoint=bug_report_outlined bug_report_outlined=material/bug_report_outlined.png f5f1.codepoint=bug_report_rounded bug_report_rounded=material/bug_report_rounded.png e812.codepoint=bug_report_sharp bug_report_sharp=material/bug_report_sharp.png e116.codepoint=build build=material/build.png e117.codepoint=build_circle build_circle=material/build_circle.png ef05.codepoint=build_circle_outlined build_circle_outlined=material/build_circle_outlined.png f5f2.codepoint=build_circle_rounded build_circle_rounded=material/build_circle_rounded.png e813.codepoint=build_circle_sharp build_circle_sharp=material/build_circle_sharp.png ef06.codepoint=build_outlined build_outlined=material/build_outlined.png f5f3.codepoint=build_rounded build_rounded=material/build_rounded.png e814.codepoint=build_sharp build_sharp=material/build_sharp.png e118.codepoint=bungalow bungalow=material/bungalow.png ef07.codepoint=bungalow_outlined bungalow_outlined=material/bungalow_outlined.png f5f4.codepoint=bungalow_rounded bungalow_rounded=material/bungalow_rounded.png e815.codepoint=bungalow_sharp bungalow_sharp=material/bungalow_sharp.png e119.codepoint=burst_mode burst_mode=material/burst_mode.png ef08.codepoint=burst_mode_outlined burst_mode_outlined=material/burst_mode_outlined.png f5f5.codepoint=burst_mode_rounded burst_mode_rounded=material/burst_mode_rounded.png e816.codepoint=burst_mode_sharp burst_mode_sharp=material/burst_mode_sharp.png e11a.codepoint=bus_alert bus_alert=material/bus_alert.png ef09.codepoint=bus_alert_outlined bus_alert_outlined=material/bus_alert_outlined.png f5f6.codepoint=bus_alert_rounded bus_alert_rounded=material/bus_alert_rounded.png e817.codepoint=bus_alert_sharp bus_alert_sharp=material/bus_alert_sharp.png e11b.codepoint=business business=material/business.png e11c.codepoint=business_center business_center=material/business_center.png ef0a.codepoint=business_center_outlined business_center_outlined=material/business_center_outlined.png f5f7.codepoint=business_center_rounded business_center_rounded=material/business_center_rounded.png e818.codepoint=business_center_sharp business_center_sharp=material/business_center_sharp.png ef0b.codepoint=business_outlined business_outlined=material/business_outlined.png f5f8.codepoint=business_rounded business_rounded=material/business_rounded.png e819.codepoint=business_sharp business_sharp=material/business_sharp.png e11d.codepoint=cabin cabin=material/cabin.png ef0c.codepoint=cabin_outlined cabin_outlined=material/cabin_outlined.png f5f9.codepoint=cabin_rounded cabin_rounded=material/cabin_rounded.png e81a.codepoint=cabin_sharp cabin_sharp=material/cabin_sharp.png e11e.codepoint=cable cable=material/cable.png ef0d.codepoint=cable_outlined cable_outlined=material/cable_outlined.png f5fa.codepoint=cable_rounded cable_rounded=material/cable_rounded.png e81b.codepoint=cable_sharp cable_sharp=material/cable_sharp.png e11f.codepoint=cached cached=material/cached.png ef0e.codepoint=cached_outlined cached_outlined=material/cached_outlined.png f5fb.codepoint=cached_rounded cached_rounded=material/cached_rounded.png e81c.codepoint=cached_sharp cached_sharp=material/cached_sharp.png e120.codepoint=cake cake=material/cake.png ef0f.codepoint=cake_outlined cake_outlined=material/cake_outlined.png f5fc.codepoint=cake_rounded cake_rounded=material/cake_rounded.png e81d.codepoint=cake_sharp cake_sharp=material/cake_sharp.png e121.codepoint=calculate calculate=material/calculate.png ef10.codepoint=calculate_outlined calculate_outlined=material/calculate_outlined.png f5fd.codepoint=calculate_rounded calculate_rounded=material/calculate_rounded.png e81e.codepoint=calculate_sharp calculate_sharp=material/calculate_sharp.png f06bb.codepoint=calendar_month calendar_month=material/calendar_month.png f051f.codepoint=calendar_month_outlined calendar_month_outlined=material/calendar_month_outlined.png f06c8.codepoint=calendar_month_rounded calendar_month_rounded=material/calendar_month_rounded.png f06ae.codepoint=calendar_month_sharp calendar_month_sharp=material/calendar_month_sharp.png e122.codepoint=calendar_today calendar_today=material/calendar_today.png ef11.codepoint=calendar_today_outlined calendar_today_outlined=material/calendar_today_outlined.png f5fe.codepoint=calendar_today_rounded calendar_today_rounded=material/calendar_today_rounded.png e81f.codepoint=calendar_today_sharp calendar_today_sharp=material/calendar_today_sharp.png e123.codepoint=calendar_view_day calendar_view_day=material/calendar_view_day.png ef12.codepoint=calendar_view_day_outlined calendar_view_day_outlined=material/calendar_view_day_outlined.png f5ff.codepoint=calendar_view_day_rounded calendar_view_day_rounded=material/calendar_view_day_rounded.png e820.codepoint=calendar_view_day_sharp calendar_view_day_sharp=material/calendar_view_day_sharp.png e124.codepoint=calendar_view_month calendar_view_month=material/calendar_view_month.png ef13.codepoint=calendar_view_month_outlined calendar_view_month_outlined=material/calendar_view_month_outlined.png f600.codepoint=calendar_view_month_rounded calendar_view_month_rounded=material/calendar_view_month_rounded.png e821.codepoint=calendar_view_month_sharp calendar_view_month_sharp=material/calendar_view_month_sharp.png e125.codepoint=calendar_view_week calendar_view_week=material/calendar_view_week.png ef14.codepoint=calendar_view_week_outlined calendar_view_week_outlined=material/calendar_view_week_outlined.png f601.codepoint=calendar_view_week_rounded calendar_view_week_rounded=material/calendar_view_week_rounded.png e822.codepoint=calendar_view_week_sharp calendar_view_week_sharp=material/calendar_view_week_sharp.png e126.codepoint=call call=material/call.png e127.codepoint=call_end call_end=material/call_end.png ef15.codepoint=call_end_outlined call_end_outlined=material/call_end_outlined.png f602.codepoint=call_end_rounded call_end_rounded=material/call_end_rounded.png e823.codepoint=call_end_sharp call_end_sharp=material/call_end_sharp.png e128.codepoint=call_made call_made=material/call_made.png ef16.codepoint=call_made_outlined call_made_outlined=material/call_made_outlined.png f603.codepoint=call_made_rounded call_made_rounded=material/call_made_rounded.png e824.codepoint=call_made_sharp call_made_sharp=material/call_made_sharp.png e129.codepoint=call_merge call_merge=material/call_merge.png ef17.codepoint=call_merge_outlined call_merge_outlined=material/call_merge_outlined.png f604.codepoint=call_merge_rounded call_merge_rounded=material/call_merge_rounded.png e825.codepoint=call_merge_sharp call_merge_sharp=material/call_merge_sharp.png e12a.codepoint=call_missed call_missed=material/call_missed.png e12b.codepoint=call_missed_outgoing call_missed_outgoing=material/call_missed_outgoing.png ef18.codepoint=call_missed_outgoing_outlined call_missed_outgoing_outlined=material/call_missed_outgoing_outlined.png f605.codepoint=call_missed_outgoing_rounded call_missed_outgoing_rounded=material/call_missed_outgoing_rounded.png e826.codepoint=call_missed_outgoing_sharp call_missed_outgoing_sharp=material/call_missed_outgoing_sharp.png ef19.codepoint=call_missed_outlined call_missed_outlined=material/call_missed_outlined.png f606.codepoint=call_missed_rounded call_missed_rounded=material/call_missed_rounded.png e827.codepoint=call_missed_sharp call_missed_sharp=material/call_missed_sharp.png ef1a.codepoint=call_outlined call_outlined=material/call_outlined.png e12c.codepoint=call_received call_received=material/call_received.png ef1b.codepoint=call_received_outlined call_received_outlined=material/call_received_outlined.png f607.codepoint=call_received_rounded call_received_rounded=material/call_received_rounded.png e828.codepoint=call_received_sharp call_received_sharp=material/call_received_sharp.png f608.codepoint=call_rounded call_rounded=material/call_rounded.png e829.codepoint=call_sharp call_sharp=material/call_sharp.png e12d.codepoint=call_split call_split=material/call_split.png ef1c.codepoint=call_split_outlined call_split_outlined=material/call_split_outlined.png f609.codepoint=call_split_rounded call_split_rounded=material/call_split_rounded.png e82a.codepoint=call_split_sharp call_split_sharp=material/call_split_sharp.png e12e.codepoint=call_to_action call_to_action=material/call_to_action.png ef1d.codepoint=call_to_action_outlined call_to_action_outlined=material/call_to_action_outlined.png f60a.codepoint=call_to_action_rounded call_to_action_rounded=material/call_to_action_rounded.png e82b.codepoint=call_to_action_sharp call_to_action_sharp=material/call_to_action_sharp.png e12f.codepoint=camera camera=material/camera.png e130.codepoint=camera_alt camera_alt=material/camera_alt.png ef1e.codepoint=camera_alt_outlined camera_alt_outlined=material/camera_alt_outlined.png f60b.codepoint=camera_alt_rounded camera_alt_rounded=material/camera_alt_rounded.png e82c.codepoint=camera_alt_sharp camera_alt_sharp=material/camera_alt_sharp.png e131.codepoint=camera_enhance camera_enhance=material/camera_enhance.png ef1f.codepoint=camera_enhance_outlined camera_enhance_outlined=material/camera_enhance_outlined.png f60c.codepoint=camera_enhance_rounded camera_enhance_rounded=material/camera_enhance_rounded.png e82d.codepoint=camera_enhance_sharp camera_enhance_sharp=material/camera_enhance_sharp.png e132.codepoint=camera_front camera_front=material/camera_front.png ef20.codepoint=camera_front_outlined camera_front_outlined=material/camera_front_outlined.png f60d.codepoint=camera_front_rounded camera_front_rounded=material/camera_front_rounded.png e82e.codepoint=camera_front_sharp camera_front_sharp=material/camera_front_sharp.png e133.codepoint=camera_indoor camera_indoor=material/camera_indoor.png ef21.codepoint=camera_indoor_outlined camera_indoor_outlined=material/camera_indoor_outlined.png f60e.codepoint=camera_indoor_rounded camera_indoor_rounded=material/camera_indoor_rounded.png e82f.codepoint=camera_indoor_sharp camera_indoor_sharp=material/camera_indoor_sharp.png e134.codepoint=camera_outdoor camera_outdoor=material/camera_outdoor.png ef22.codepoint=camera_outdoor_outlined camera_outdoor_outlined=material/camera_outdoor_outlined.png f60f.codepoint=camera_outdoor_rounded camera_outdoor_rounded=material/camera_outdoor_rounded.png e830.codepoint=camera_outdoor_sharp camera_outdoor_sharp=material/camera_outdoor_sharp.png ef23.codepoint=camera_outlined camera_outlined=material/camera_outlined.png e135.codepoint=camera_rear camera_rear=material/camera_rear.png ef24.codepoint=camera_rear_outlined camera_rear_outlined=material/camera_rear_outlined.png f610.codepoint=camera_rear_rounded camera_rear_rounded=material/camera_rear_rounded.png e831.codepoint=camera_rear_sharp camera_rear_sharp=material/camera_rear_sharp.png e136.codepoint=camera_roll camera_roll=material/camera_roll.png ef25.codepoint=camera_roll_outlined camera_roll_outlined=material/camera_roll_outlined.png f611.codepoint=camera_roll_rounded camera_roll_rounded=material/camera_roll_rounded.png e832.codepoint=camera_roll_sharp camera_roll_sharp=material/camera_roll_sharp.png f612.codepoint=camera_rounded camera_rounded=material/camera_rounded.png e833.codepoint=camera_sharp camera_sharp=material/camera_sharp.png e137.codepoint=cameraswitch cameraswitch=material/cameraswitch.png ef26.codepoint=cameraswitch_outlined cameraswitch_outlined=material/cameraswitch_outlined.png f613.codepoint=cameraswitch_rounded cameraswitch_rounded=material/cameraswitch_rounded.png e834.codepoint=cameraswitch_sharp cameraswitch_sharp=material/cameraswitch_sharp.png e138.codepoint=campaign campaign=material/campaign.png ef27.codepoint=campaign_outlined campaign_outlined=material/campaign_outlined.png f614.codepoint=campaign_rounded campaign_rounded=material/campaign_rounded.png e835.codepoint=campaign_sharp campaign_sharp=material/campaign_sharp.png e139.codepoint=cancel cancel=material/cancel.png ef28.codepoint=cancel_outlined cancel_outlined=material/cancel_outlined.png e13a.codepoint=cancel_presentation cancel_presentation=material/cancel_presentation.png ef29.codepoint=cancel_presentation_outlined cancel_presentation_outlined=material/cancel_presentation_outlined.png f615.codepoint=cancel_presentation_rounded cancel_presentation_rounded=material/cancel_presentation_rounded.png e836.codepoint=cancel_presentation_sharp cancel_presentation_sharp=material/cancel_presentation_sharp.png f616.codepoint=cancel_rounded cancel_rounded=material/cancel_rounded.png e13b.codepoint=cancel_schedule_send cancel_schedule_send=material/cancel_schedule_send.png ef2a.codepoint=cancel_schedule_send_outlined cancel_schedule_send_outlined=material/cancel_schedule_send_outlined.png f617.codepoint=cancel_schedule_send_rounded cancel_schedule_send_rounded=material/cancel_schedule_send_rounded.png e837.codepoint=cancel_schedule_send_sharp cancel_schedule_send_sharp=material/cancel_schedule_send_sharp.png e838.codepoint=cancel_sharp cancel_sharp=material/cancel_sharp.png f04ca.codepoint=candlestick_chart candlestick_chart=material/candlestick_chart.png f05c5.codepoint=candlestick_chart_outlined candlestick_chart_outlined=material/candlestick_chart_outlined.png f02e4.codepoint=candlestick_chart_rounded candlestick_chart_rounded=material/candlestick_chart_rounded.png f03d7.codepoint=candlestick_chart_sharp candlestick_chart_sharp=material/candlestick_chart_sharp.png f0793.codepoint=car_crash car_crash=material/car_crash.png f06e3.codepoint=car_crash_outlined car_crash_outlined=material/car_crash_outlined.png f07eb.codepoint=car_crash_rounded car_crash_rounded=material/car_crash_rounded.png f073b.codepoint=car_crash_sharp car_crash_sharp=material/car_crash_sharp.png e13c.codepoint=car_rental car_rental=material/car_rental.png ef2b.codepoint=car_rental_outlined car_rental_outlined=material/car_rental_outlined.png f618.codepoint=car_rental_rounded car_rental_rounded=material/car_rental_rounded.png e839.codepoint=car_rental_sharp car_rental_sharp=material/car_rental_sharp.png e13d.codepoint=car_repair car_repair=material/car_repair.png ef2c.codepoint=car_repair_outlined car_repair_outlined=material/car_repair_outlined.png f619.codepoint=car_repair_rounded car_repair_rounded=material/car_repair_rounded.png e83a.codepoint=car_repair_sharp car_repair_sharp=material/car_repair_sharp.png e13e.codepoint=card_giftcard card_giftcard=material/card_giftcard.png ef2d.codepoint=card_giftcard_outlined card_giftcard_outlined=material/card_giftcard_outlined.png f61a.codepoint=card_giftcard_rounded card_giftcard_rounded=material/card_giftcard_rounded.png e83b.codepoint=card_giftcard_sharp card_giftcard_sharp=material/card_giftcard_sharp.png e13f.codepoint=card_membership card_membership=material/card_membership.png ef2e.codepoint=card_membership_outlined card_membership_outlined=material/card_membership_outlined.png f61b.codepoint=card_membership_rounded card_membership_rounded=material/card_membership_rounded.png e83c.codepoint=card_membership_sharp card_membership_sharp=material/card_membership_sharp.png e140.codepoint=card_travel card_travel=material/card_travel.png ef2f.codepoint=card_travel_outlined card_travel_outlined=material/card_travel_outlined.png f61c.codepoint=card_travel_rounded card_travel_rounded=material/card_travel_rounded.png e83d.codepoint=card_travel_sharp card_travel_sharp=material/card_travel_sharp.png e141.codepoint=carpenter carpenter=material/carpenter.png ef30.codepoint=carpenter_outlined carpenter_outlined=material/carpenter_outlined.png f61d.codepoint=carpenter_rounded carpenter_rounded=material/carpenter_rounded.png e83e.codepoint=carpenter_sharp carpenter_sharp=material/carpenter_sharp.png e142.codepoint=cases cases=material/cases.png ef31.codepoint=cases_outlined cases_outlined=material/cases_outlined.png f61e.codepoint=cases_rounded cases_rounded=material/cases_rounded.png e83f.codepoint=cases_sharp cases_sharp=material/cases_sharp.png e143.codepoint=casino casino=material/casino.png ef32.codepoint=casino_outlined casino_outlined=material/casino_outlined.png f61f.codepoint=casino_rounded casino_rounded=material/casino_rounded.png e840.codepoint=casino_sharp casino_sharp=material/casino_sharp.png e144.codepoint=cast cast=material/cast.png e145.codepoint=cast_connected cast_connected=material/cast_connected.png ef33.codepoint=cast_connected_outlined cast_connected_outlined=material/cast_connected_outlined.png f620.codepoint=cast_connected_rounded cast_connected_rounded=material/cast_connected_rounded.png e841.codepoint=cast_connected_sharp cast_connected_sharp=material/cast_connected_sharp.png e146.codepoint=cast_for_education cast_for_education=material/cast_for_education.png ef34.codepoint=cast_for_education_outlined cast_for_education_outlined=material/cast_for_education_outlined.png f621.codepoint=cast_for_education_rounded cast_for_education_rounded=material/cast_for_education_rounded.png e842.codepoint=cast_for_education_sharp cast_for_education_sharp=material/cast_for_education_sharp.png ef35.codepoint=cast_outlined cast_outlined=material/cast_outlined.png f622.codepoint=cast_rounded cast_rounded=material/cast_rounded.png e843.codepoint=cast_sharp cast_sharp=material/cast_sharp.png f04cb.codepoint=castle castle=material/castle.png f05c6.codepoint=castle_outlined castle_outlined=material/castle_outlined.png f02e5.codepoint=castle_rounded castle_rounded=material/castle_rounded.png f03d8.codepoint=castle_sharp castle_sharp=material/castle_sharp.png e147.codepoint=catching_pokemon catching_pokemon=material/catching_pokemon.png ef36.codepoint=catching_pokemon_outlined catching_pokemon_outlined=material/catching_pokemon_outlined.png f623.codepoint=catching_pokemon_rounded catching_pokemon_rounded=material/catching_pokemon_rounded.png e844.codepoint=catching_pokemon_sharp catching_pokemon_sharp=material/catching_pokemon_sharp.png e148.codepoint=category category=material/category.png ef37.codepoint=category_outlined category_outlined=material/category_outlined.png f624.codepoint=category_rounded category_rounded=material/category_rounded.png e845.codepoint=category_sharp category_sharp=material/category_sharp.png e149.codepoint=celebration celebration=material/celebration.png ef38.codepoint=celebration_outlined celebration_outlined=material/celebration_outlined.png f625.codepoint=celebration_rounded celebration_rounded=material/celebration_rounded.png e846.codepoint=celebration_sharp celebration_sharp=material/celebration_sharp.png f04cc.codepoint=cell_tower cell_tower=material/cell_tower.png f05c7.codepoint=cell_tower_outlined cell_tower_outlined=material/cell_tower_outlined.png f02e6.codepoint=cell_tower_rounded cell_tower_rounded=material/cell_tower_rounded.png f03d9.codepoint=cell_tower_sharp cell_tower_sharp=material/cell_tower_sharp.png e14a.codepoint=cell_wifi cell_wifi=material/cell_wifi.png ef39.codepoint=cell_wifi_outlined cell_wifi_outlined=material/cell_wifi_outlined.png f626.codepoint=cell_wifi_rounded cell_wifi_rounded=material/cell_wifi_rounded.png e847.codepoint=cell_wifi_sharp cell_wifi_sharp=material/cell_wifi_sharp.png e14b.codepoint=center_focus_strong center_focus_strong=material/center_focus_strong.png ef3a.codepoint=center_focus_strong_outlined center_focus_strong_outlined=material/center_focus_strong_outlined.png f627.codepoint=center_focus_strong_rounded center_focus_strong_rounded=material/center_focus_strong_rounded.png e848.codepoint=center_focus_strong_sharp center_focus_strong_sharp=material/center_focus_strong_sharp.png e14c.codepoint=center_focus_weak center_focus_weak=material/center_focus_weak.png ef3b.codepoint=center_focus_weak_outlined center_focus_weak_outlined=material/center_focus_weak_outlined.png f628.codepoint=center_focus_weak_rounded center_focus_weak_rounded=material/center_focus_weak_rounded.png e849.codepoint=center_focus_weak_sharp center_focus_weak_sharp=material/center_focus_weak_sharp.png e14d.codepoint=chair chair=material/chair.png e14e.codepoint=chair_alt chair_alt=material/chair_alt.png ef3c.codepoint=chair_alt_outlined chair_alt_outlined=material/chair_alt_outlined.png f629.codepoint=chair_alt_rounded chair_alt_rounded=material/chair_alt_rounded.png e84a.codepoint=chair_alt_sharp chair_alt_sharp=material/chair_alt_sharp.png ef3d.codepoint=chair_outlined chair_outlined=material/chair_outlined.png f62a.codepoint=chair_rounded chair_rounded=material/chair_rounded.png e84b.codepoint=chair_sharp chair_sharp=material/chair_sharp.png e14f.codepoint=chalet chalet=material/chalet.png ef3e.codepoint=chalet_outlined chalet_outlined=material/chalet_outlined.png f62b.codepoint=chalet_rounded chalet_rounded=material/chalet_rounded.png e84c.codepoint=chalet_sharp chalet_sharp=material/chalet_sharp.png e150.codepoint=change_circle change_circle=material/change_circle.png ef3f.codepoint=change_circle_outlined change_circle_outlined=material/change_circle_outlined.png f62c.codepoint=change_circle_rounded change_circle_rounded=material/change_circle_rounded.png e84d.codepoint=change_circle_sharp change_circle_sharp=material/change_circle_sharp.png e151.codepoint=change_history change_history=material/change_history.png ef40.codepoint=change_history_outlined change_history_outlined=material/change_history_outlined.png f62d.codepoint=change_history_rounded change_history_rounded=material/change_history_rounded.png e84e.codepoint=change_history_sharp change_history_sharp=material/change_history_sharp.png e152.codepoint=charging_station charging_station=material/charging_station.png ef41.codepoint=charging_station_outlined charging_station_outlined=material/charging_station_outlined.png f62e.codepoint=charging_station_rounded charging_station_rounded=material/charging_station_rounded.png e84f.codepoint=charging_station_sharp charging_station_sharp=material/charging_station_sharp.png e153.codepoint=chat chat=material/chat.png e154.codepoint=chat_bubble chat_bubble=material/chat_bubble.png e155.codepoint=chat_bubble_outline chat_bubble_outline=material/chat_bubble_outline.png ef42.codepoint=chat_bubble_outline_outlined chat_bubble_outline_outlined=material/chat_bubble_outline_outlined.png f62f.codepoint=chat_bubble_outline_rounded chat_bubble_outline_rounded=material/chat_bubble_outline_rounded.png e850.codepoint=chat_bubble_outline_sharp chat_bubble_outline_sharp=material/chat_bubble_outline_sharp.png ef43.codepoint=chat_bubble_outlined chat_bubble_outlined=material/chat_bubble_outlined.png f630.codepoint=chat_bubble_rounded chat_bubble_rounded=material/chat_bubble_rounded.png e851.codepoint=chat_bubble_sharp chat_bubble_sharp=material/chat_bubble_sharp.png ef44.codepoint=chat_outlined chat_outlined=material/chat_outlined.png f631.codepoint=chat_rounded chat_rounded=material/chat_rounded.png e852.codepoint=chat_sharp chat_sharp=material/chat_sharp.png e156.codepoint=check check=material/check.png e157.codepoint=check_box check_box=material/check_box.png e158.codepoint=check_box_outline_blank check_box_outline_blank=material/check_box_outline_blank.png ef45.codepoint=check_box_outline_blank_outlined check_box_outline_blank_outlined=material/check_box_outline_blank_outlined.png f632.codepoint=check_box_outline_blank_rounded check_box_outline_blank_rounded=material/check_box_outline_blank_rounded.png e853.codepoint=check_box_outline_blank_sharp check_box_outline_blank_sharp=material/check_box_outline_blank_sharp.png ef46.codepoint=check_box_outlined check_box_outlined=material/check_box_outlined.png f633.codepoint=check_box_rounded check_box_rounded=material/check_box_rounded.png e854.codepoint=check_box_sharp check_box_sharp=material/check_box_sharp.png e159.codepoint=check_circle check_circle=material/check_circle.png e15a.codepoint=check_circle_outline check_circle_outline=material/check_circle_outline.png ef47.codepoint=check_circle_outline_outlined check_circle_outline_outlined=material/check_circle_outline_outlined.png f634.codepoint=check_circle_outline_rounded check_circle_outline_rounded=material/check_circle_outline_rounded.png e855.codepoint=check_circle_outline_sharp check_circle_outline_sharp=material/check_circle_outline_sharp.png ef48.codepoint=check_circle_outlined check_circle_outlined=material/check_circle_outlined.png f635.codepoint=check_circle_rounded check_circle_rounded=material/check_circle_rounded.png e856.codepoint=check_circle_sharp check_circle_sharp=material/check_circle_sharp.png ef49.codepoint=check_outlined check_outlined=material/check_outlined.png f636.codepoint=check_rounded check_rounded=material/check_rounded.png e857.codepoint=check_sharp check_sharp=material/check_sharp.png e15b.codepoint=checklist checklist=material/checklist.png ef4a.codepoint=checklist_outlined checklist_outlined=material/checklist_outlined.png f637.codepoint=checklist_rounded checklist_rounded=material/checklist_rounded.png e15c.codepoint=checklist_rtl checklist_rtl=material/checklist_rtl.png ef4b.codepoint=checklist_rtl_outlined checklist_rtl_outlined=material/checklist_rtl_outlined.png f638.codepoint=checklist_rtl_rounded checklist_rtl_rounded=material/checklist_rtl_rounded.png e858.codepoint=checklist_rtl_sharp checklist_rtl_sharp=material/checklist_rtl_sharp.png e859.codepoint=checklist_sharp checklist_sharp=material/checklist_sharp.png e15d.codepoint=checkroom checkroom=material/checkroom.png ef4c.codepoint=checkroom_outlined checkroom_outlined=material/checkroom_outlined.png f639.codepoint=checkroom_rounded checkroom_rounded=material/checkroom_rounded.png e85a.codepoint=checkroom_sharp checkroom_sharp=material/checkroom_sharp.png e15e.codepoint=chevron_left chevron_left=material/chevron_left.png ef4d.codepoint=chevron_left_outlined chevron_left_outlined=material/chevron_left_outlined.png f63a.codepoint=chevron_left_rounded chevron_left_rounded=material/chevron_left_rounded.png e85b.codepoint=chevron_left_sharp chevron_left_sharp=material/chevron_left_sharp.png e15f.codepoint=chevron_right chevron_right=material/chevron_right.png ef4e.codepoint=chevron_right_outlined chevron_right_outlined=material/chevron_right_outlined.png f63b.codepoint=chevron_right_rounded chevron_right_rounded=material/chevron_right_rounded.png e85c.codepoint=chevron_right_sharp chevron_right_sharp=material/chevron_right_sharp.png e160.codepoint=child_care child_care=material/child_care.png ef4f.codepoint=child_care_outlined child_care_outlined=material/child_care_outlined.png f63c.codepoint=child_care_rounded child_care_rounded=material/child_care_rounded.png e85d.codepoint=child_care_sharp child_care_sharp=material/child_care_sharp.png e161.codepoint=child_friendly child_friendly=material/child_friendly.png ef50.codepoint=child_friendly_outlined child_friendly_outlined=material/child_friendly_outlined.png f63d.codepoint=child_friendly_rounded child_friendly_rounded=material/child_friendly_rounded.png e85e.codepoint=child_friendly_sharp child_friendly_sharp=material/child_friendly_sharp.png e162.codepoint=chrome_reader_mode chrome_reader_mode=material/chrome_reader_mode.png ef51.codepoint=chrome_reader_mode_outlined chrome_reader_mode_outlined=material/chrome_reader_mode_outlined.png f63e.codepoint=chrome_reader_mode_rounded chrome_reader_mode_rounded=material/chrome_reader_mode_rounded.png e85f.codepoint=chrome_reader_mode_sharp chrome_reader_mode_sharp=material/chrome_reader_mode_sharp.png f04cd.codepoint=church church=material/church.png f05c8.codepoint=church_outlined church_outlined=material/church_outlined.png f02e7.codepoint=church_rounded church_rounded=material/church_rounded.png f03da.codepoint=church_sharp church_sharp=material/church_sharp.png e163.codepoint=circle circle=material/circle.png e164.codepoint=circle_notifications circle_notifications=material/circle_notifications.png ef52.codepoint=circle_notifications_outlined circle_notifications_outlined=material/circle_notifications_outlined.png f63f.codepoint=circle_notifications_rounded circle_notifications_rounded=material/circle_notifications_rounded.png e860.codepoint=circle_notifications_sharp circle_notifications_sharp=material/circle_notifications_sharp.png ef53.codepoint=circle_outlined circle_outlined=material/circle_outlined.png f640.codepoint=circle_rounded circle_rounded=material/circle_rounded.png e861.codepoint=circle_sharp circle_sharp=material/circle_sharp.png e165.codepoint=class_ class_=material/class_.png ef54.codepoint=class_outlined class_outlined=material/class_outlined.png f641.codepoint=class_rounded class_rounded=material/class_rounded.png e862.codepoint=class_sharp class_sharp=material/class_sharp.png e166.codepoint=clean_hands clean_hands=material/clean_hands.png ef55.codepoint=clean_hands_outlined clean_hands_outlined=material/clean_hands_outlined.png f642.codepoint=clean_hands_rounded clean_hands_rounded=material/clean_hands_rounded.png e863.codepoint=clean_hands_sharp clean_hands_sharp=material/clean_hands_sharp.png e167.codepoint=cleaning_services cleaning_services=material/cleaning_services.png ef56.codepoint=cleaning_services_outlined cleaning_services_outlined=material/cleaning_services_outlined.png f643.codepoint=cleaning_services_rounded cleaning_services_rounded=material/cleaning_services_rounded.png e864.codepoint=cleaning_services_sharp cleaning_services_sharp=material/cleaning_services_sharp.png e168.codepoint=clear clear=material/clear.png e169.codepoint=clear_all clear_all=material/clear_all.png ef57.codepoint=clear_all_outlined clear_all_outlined=material/clear_all_outlined.png f644.codepoint=clear_all_rounded clear_all_rounded=material/clear_all_rounded.png e865.codepoint=clear_all_sharp clear_all_sharp=material/clear_all_sharp.png ef58.codepoint=clear_outlined clear_outlined=material/clear_outlined.png f645.codepoint=clear_rounded clear_rounded=material/clear_rounded.png e866.codepoint=clear_sharp clear_sharp=material/clear_sharp.png e16a.codepoint=close close=material/close.png e16b.codepoint=close_fullscreen close_fullscreen=material/close_fullscreen.png ef59.codepoint=close_fullscreen_outlined close_fullscreen_outlined=material/close_fullscreen_outlined.png f646.codepoint=close_fullscreen_rounded close_fullscreen_rounded=material/close_fullscreen_rounded.png e867.codepoint=close_fullscreen_sharp close_fullscreen_sharp=material/close_fullscreen_sharp.png ef5a.codepoint=close_outlined close_outlined=material/close_outlined.png f647.codepoint=close_rounded close_rounded=material/close_rounded.png e868.codepoint=close_sharp close_sharp=material/close_sharp.png e16c.codepoint=closed_caption closed_caption=material/closed_caption.png e16d.codepoint=closed_caption_disabled closed_caption_disabled=material/closed_caption_disabled.png ef5b.codepoint=closed_caption_disabled_outlined closed_caption_disabled_outlined=material/closed_caption_disabled_outlined.png f648.codepoint=closed_caption_disabled_rounded closed_caption_disabled_rounded=material/closed_caption_disabled_rounded.png e869.codepoint=closed_caption_disabled_sharp closed_caption_disabled_sharp=material/closed_caption_disabled_sharp.png e16e.codepoint=closed_caption_off closed_caption_off=material/closed_caption_off.png ef5c.codepoint=closed_caption_off_outlined closed_caption_off_outlined=material/closed_caption_off_outlined.png f649.codepoint=closed_caption_off_rounded closed_caption_off_rounded=material/closed_caption_off_rounded.png e86a.codepoint=closed_caption_off_sharp closed_caption_off_sharp=material/closed_caption_off_sharp.png ef5d.codepoint=closed_caption_outlined closed_caption_outlined=material/closed_caption_outlined.png f64a.codepoint=closed_caption_rounded closed_caption_rounded=material/closed_caption_rounded.png e86b.codepoint=closed_caption_sharp closed_caption_sharp=material/closed_caption_sharp.png e16f.codepoint=cloud cloud=material/cloud.png e170.codepoint=cloud_circle cloud_circle=material/cloud_circle.png ef5e.codepoint=cloud_circle_outlined cloud_circle_outlined=material/cloud_circle_outlined.png f64b.codepoint=cloud_circle_rounded cloud_circle_rounded=material/cloud_circle_rounded.png e86c.codepoint=cloud_circle_sharp cloud_circle_sharp=material/cloud_circle_sharp.png e171.codepoint=cloud_done cloud_done=material/cloud_done.png ef5f.codepoint=cloud_done_outlined cloud_done_outlined=material/cloud_done_outlined.png f64c.codepoint=cloud_done_rounded cloud_done_rounded=material/cloud_done_rounded.png e86d.codepoint=cloud_done_sharp cloud_done_sharp=material/cloud_done_sharp.png e172.codepoint=cloud_download cloud_download=material/cloud_download.png ef60.codepoint=cloud_download_outlined cloud_download_outlined=material/cloud_download_outlined.png f64d.codepoint=cloud_download_rounded cloud_download_rounded=material/cloud_download_rounded.png e86e.codepoint=cloud_download_sharp cloud_download_sharp=material/cloud_download_sharp.png e173.codepoint=cloud_off cloud_off=material/cloud_off.png ef61.codepoint=cloud_off_outlined cloud_off_outlined=material/cloud_off_outlined.png f64e.codepoint=cloud_off_rounded cloud_off_rounded=material/cloud_off_rounded.png e86f.codepoint=cloud_off_sharp cloud_off_sharp=material/cloud_off_sharp.png ef62.codepoint=cloud_outlined cloud_outlined=material/cloud_outlined.png e174.codepoint=cloud_queue cloud_queue=material/cloud_queue.png ef63.codepoint=cloud_queue_outlined cloud_queue_outlined=material/cloud_queue_outlined.png f64f.codepoint=cloud_queue_rounded cloud_queue_rounded=material/cloud_queue_rounded.png e870.codepoint=cloud_queue_sharp cloud_queue_sharp=material/cloud_queue_sharp.png f650.codepoint=cloud_rounded cloud_rounded=material/cloud_rounded.png e871.codepoint=cloud_sharp cloud_sharp=material/cloud_sharp.png f04ce.codepoint=cloud_sync cloud_sync=material/cloud_sync.png f05c9.codepoint=cloud_sync_outlined cloud_sync_outlined=material/cloud_sync_outlined.png f02e8.codepoint=cloud_sync_rounded cloud_sync_rounded=material/cloud_sync_rounded.png f03db.codepoint=cloud_sync_sharp cloud_sync_sharp=material/cloud_sync_sharp.png e175.codepoint=cloud_upload cloud_upload=material/cloud_upload.png ef64.codepoint=cloud_upload_outlined cloud_upload_outlined=material/cloud_upload_outlined.png f651.codepoint=cloud_upload_rounded cloud_upload_rounded=material/cloud_upload_rounded.png e872.codepoint=cloud_upload_sharp cloud_upload_sharp=material/cloud_upload_sharp.png f04cf.codepoint=cloudy_snowing cloudy_snowing=material/cloudy_snowing.png f04d0.codepoint=co2 co2=material/co2.png f05ca.codepoint=co2_outlined co2_outlined=material/co2_outlined.png f02e9.codepoint=co2_rounded co2_rounded=material/co2_rounded.png f03dc.codepoint=co2_sharp co2_sharp=material/co2_sharp.png f04d1.codepoint=co_present co_present=material/co_present.png f05cb.codepoint=co_present_outlined co_present_outlined=material/co_present_outlined.png f02ea.codepoint=co_present_rounded co_present_rounded=material/co_present_rounded.png f03dd.codepoint=co_present_sharp co_present_sharp=material/co_present_sharp.png e176.codepoint=code code=material/code.png e177.codepoint=code_off code_off=material/code_off.png ef65.codepoint=code_off_outlined code_off_outlined=material/code_off_outlined.png f652.codepoint=code_off_rounded code_off_rounded=material/code_off_rounded.png e873.codepoint=code_off_sharp code_off_sharp=material/code_off_sharp.png ef66.codepoint=code_outlined code_outlined=material/code_outlined.png f653.codepoint=code_rounded code_rounded=material/code_rounded.png e874.codepoint=code_sharp code_sharp=material/code_sharp.png e178.codepoint=coffee coffee=material/coffee.png e179.codepoint=coffee_maker coffee_maker=material/coffee_maker.png ef67.codepoint=coffee_maker_outlined coffee_maker_outlined=material/coffee_maker_outlined.png f654.codepoint=coffee_maker_rounded coffee_maker_rounded=material/coffee_maker_rounded.png e875.codepoint=coffee_maker_sharp coffee_maker_sharp=material/coffee_maker_sharp.png ef68.codepoint=coffee_outlined coffee_outlined=material/coffee_outlined.png f655.codepoint=coffee_rounded coffee_rounded=material/coffee_rounded.png e876.codepoint=coffee_sharp coffee_sharp=material/coffee_sharp.png e17a.codepoint=collections collections=material/collections.png e17b.codepoint=collections_bookmark collections_bookmark=material/collections_bookmark.png ef69.codepoint=collections_bookmark_outlined collections_bookmark_outlined=material/collections_bookmark_outlined.png f656.codepoint=collections_bookmark_rounded collections_bookmark_rounded=material/collections_bookmark_rounded.png e877.codepoint=collections_bookmark_sharp collections_bookmark_sharp=material/collections_bookmark_sharp.png ef6a.codepoint=collections_outlined collections_outlined=material/collections_outlined.png f657.codepoint=collections_rounded collections_rounded=material/collections_rounded.png e878.codepoint=collections_sharp collections_sharp=material/collections_sharp.png e17c.codepoint=color_lens color_lens=material/color_lens.png ef6b.codepoint=color_lens_outlined color_lens_outlined=material/color_lens_outlined.png f658.codepoint=color_lens_rounded color_lens_rounded=material/color_lens_rounded.png e879.codepoint=color_lens_sharp color_lens_sharp=material/color_lens_sharp.png e17d.codepoint=colorize colorize=material/colorize.png ef6c.codepoint=colorize_outlined colorize_outlined=material/colorize_outlined.png f659.codepoint=colorize_rounded colorize_rounded=material/colorize_rounded.png e87a.codepoint=colorize_sharp colorize_sharp=material/colorize_sharp.png e17e.codepoint=comment comment=material/comment.png e17f.codepoint=comment_bank comment_bank=material/comment_bank.png ef6d.codepoint=comment_bank_outlined comment_bank_outlined=material/comment_bank_outlined.png f65a.codepoint=comment_bank_rounded comment_bank_rounded=material/comment_bank_rounded.png e87b.codepoint=comment_bank_sharp comment_bank_sharp=material/comment_bank_sharp.png ef6e.codepoint=comment_outlined comment_outlined=material/comment_outlined.png f65b.codepoint=comment_rounded comment_rounded=material/comment_rounded.png e87c.codepoint=comment_sharp comment_sharp=material/comment_sharp.png f04d2.codepoint=comments_disabled comments_disabled=material/comments_disabled.png f05cc.codepoint=comments_disabled_outlined comments_disabled_outlined=material/comments_disabled_outlined.png f02eb.codepoint=comments_disabled_rounded comments_disabled_rounded=material/comments_disabled_rounded.png f03de.codepoint=comments_disabled_sharp comments_disabled_sharp=material/comments_disabled_sharp.png f04d3.codepoint=commit commit=material/commit.png f05cd.codepoint=commit_outlined commit_outlined=material/commit_outlined.png f02ec.codepoint=commit_rounded commit_rounded=material/commit_rounded.png f03df.codepoint=commit_sharp commit_sharp=material/commit_sharp.png e180.codepoint=commute commute=material/commute.png ef6f.codepoint=commute_outlined commute_outlined=material/commute_outlined.png f65c.codepoint=commute_rounded commute_rounded=material/commute_rounded.png e87d.codepoint=commute_sharp commute_sharp=material/commute_sharp.png e181.codepoint=compare compare=material/compare.png e182.codepoint=compare_arrows compare_arrows=material/compare_arrows.png ef70.codepoint=compare_arrows_outlined compare_arrows_outlined=material/compare_arrows_outlined.png f65d.codepoint=compare_arrows_rounded compare_arrows_rounded=material/compare_arrows_rounded.png e87e.codepoint=compare_arrows_sharp compare_arrows_sharp=material/compare_arrows_sharp.png ef71.codepoint=compare_outlined compare_outlined=material/compare_outlined.png f65e.codepoint=compare_rounded compare_rounded=material/compare_rounded.png e87f.codepoint=compare_sharp compare_sharp=material/compare_sharp.png e183.codepoint=compass_calibration compass_calibration=material/compass_calibration.png ef72.codepoint=compass_calibration_outlined compass_calibration_outlined=material/compass_calibration_outlined.png f65f.codepoint=compass_calibration_rounded compass_calibration_rounded=material/compass_calibration_rounded.png e880.codepoint=compass_calibration_sharp compass_calibration_sharp=material/compass_calibration_sharp.png f04d4.codepoint=compost compost=material/compost.png f05ce.codepoint=compost_outlined compost_outlined=material/compost_outlined.png f02ed.codepoint=compost_rounded compost_rounded=material/compost_rounded.png f03e0.codepoint=compost_sharp compost_sharp=material/compost_sharp.png e184.codepoint=compress compress=material/compress.png ef73.codepoint=compress_outlined compress_outlined=material/compress_outlined.png f660.codepoint=compress_rounded compress_rounded=material/compress_rounded.png e881.codepoint=compress_sharp compress_sharp=material/compress_sharp.png e185.codepoint=computer computer=material/computer.png ef74.codepoint=computer_outlined computer_outlined=material/computer_outlined.png f661.codepoint=computer_rounded computer_rounded=material/computer_rounded.png e882.codepoint=computer_sharp computer_sharp=material/computer_sharp.png e186.codepoint=confirmation_num confirmation_num=material/confirmation_num.png ef75.codepoint=confirmation_num_outlined confirmation_num_outlined=material/confirmation_num_outlined.png f662.codepoint=confirmation_num_rounded confirmation_num_rounded=material/confirmation_num_rounded.png e883.codepoint=confirmation_num_sharp confirmation_num_sharp=material/confirmation_num_sharp.png # e186.codepoint=confirmation_number confirmation_number=material/confirmation_number.png # ef75.codepoint=confirmation_number_outlined confirmation_number_outlined=material/confirmation_number_outlined.png # f662.codepoint=confirmation_number_rounded confirmation_number_rounded=material/confirmation_number_rounded.png # e883.codepoint=confirmation_number_sharp confirmation_number_sharp=material/confirmation_number_sharp.png e187.codepoint=connect_without_contact connect_without_contact=material/connect_without_contact.png ef76.codepoint=connect_without_contact_outlined connect_without_contact_outlined=material/connect_without_contact_outlined.png f663.codepoint=connect_without_contact_rounded connect_without_contact_rounded=material/connect_without_contact_rounded.png e884.codepoint=connect_without_contact_sharp connect_without_contact_sharp=material/connect_without_contact_sharp.png e188.codepoint=connected_tv connected_tv=material/connected_tv.png ef77.codepoint=connected_tv_outlined connected_tv_outlined=material/connected_tv_outlined.png f664.codepoint=connected_tv_rounded connected_tv_rounded=material/connected_tv_rounded.png e885.codepoint=connected_tv_sharp connected_tv_sharp=material/connected_tv_sharp.png f04d5.codepoint=connecting_airports connecting_airports=material/connecting_airports.png f05cf.codepoint=connecting_airports_outlined connecting_airports_outlined=material/connecting_airports_outlined.png f02ee.codepoint=connecting_airports_rounded connecting_airports_rounded=material/connecting_airports_rounded.png f03e1.codepoint=connecting_airports_sharp connecting_airports_sharp=material/connecting_airports_sharp.png e189.codepoint=construction construction=material/construction.png ef78.codepoint=construction_outlined construction_outlined=material/construction_outlined.png f665.codepoint=construction_rounded construction_rounded=material/construction_rounded.png e886.codepoint=construction_sharp construction_sharp=material/construction_sharp.png e18a.codepoint=contact_mail contact_mail=material/contact_mail.png ef79.codepoint=contact_mail_outlined contact_mail_outlined=material/contact_mail_outlined.png f666.codepoint=contact_mail_rounded contact_mail_rounded=material/contact_mail_rounded.png e887.codepoint=contact_mail_sharp contact_mail_sharp=material/contact_mail_sharp.png e18b.codepoint=contact_page contact_page=material/contact_page.png ef7a.codepoint=contact_page_outlined contact_page_outlined=material/contact_page_outlined.png f667.codepoint=contact_page_rounded contact_page_rounded=material/contact_page_rounded.png e888.codepoint=contact_page_sharp contact_page_sharp=material/contact_page_sharp.png e18c.codepoint=contact_phone contact_phone=material/contact_phone.png ef7b.codepoint=contact_phone_outlined contact_phone_outlined=material/contact_phone_outlined.png f668.codepoint=contact_phone_rounded contact_phone_rounded=material/contact_phone_rounded.png e889.codepoint=contact_phone_sharp contact_phone_sharp=material/contact_phone_sharp.png e18d.codepoint=contact_support contact_support=material/contact_support.png ef7c.codepoint=contact_support_outlined contact_support_outlined=material/contact_support_outlined.png f669.codepoint=contact_support_rounded contact_support_rounded=material/contact_support_rounded.png e88a.codepoint=contact_support_sharp contact_support_sharp=material/contact_support_sharp.png e18e.codepoint=contactless contactless=material/contactless.png ef7d.codepoint=contactless_outlined contactless_outlined=material/contactless_outlined.png f66a.codepoint=contactless_rounded contactless_rounded=material/contactless_rounded.png e88b.codepoint=contactless_sharp contactless_sharp=material/contactless_sharp.png e18f.codepoint=contacts contacts=material/contacts.png ef7e.codepoint=contacts_outlined contacts_outlined=material/contacts_outlined.png f66b.codepoint=contacts_rounded contacts_rounded=material/contacts_rounded.png e88c.codepoint=contacts_sharp contacts_sharp=material/contacts_sharp.png e190.codepoint=content_copy content_copy=material/content_copy.png ef7f.codepoint=content_copy_outlined content_copy_outlined=material/content_copy_outlined.png f66c.codepoint=content_copy_rounded content_copy_rounded=material/content_copy_rounded.png e88d.codepoint=content_copy_sharp content_copy_sharp=material/content_copy_sharp.png e191.codepoint=content_cut content_cut=material/content_cut.png ef80.codepoint=content_cut_outlined content_cut_outlined=material/content_cut_outlined.png f66d.codepoint=content_cut_rounded content_cut_rounded=material/content_cut_rounded.png e88e.codepoint=content_cut_sharp content_cut_sharp=material/content_cut_sharp.png e192.codepoint=content_paste content_paste=material/content_paste.png f04d6.codepoint=content_paste_go content_paste_go=material/content_paste_go.png f05d0.codepoint=content_paste_go_outlined content_paste_go_outlined=material/content_paste_go_outlined.png f02ef.codepoint=content_paste_go_rounded content_paste_go_rounded=material/content_paste_go_rounded.png f03e2.codepoint=content_paste_go_sharp content_paste_go_sharp=material/content_paste_go_sharp.png e193.codepoint=content_paste_off content_paste_off=material/content_paste_off.png ef81.codepoint=content_paste_off_outlined content_paste_off_outlined=material/content_paste_off_outlined.png f66e.codepoint=content_paste_off_rounded content_paste_off_rounded=material/content_paste_off_rounded.png e88f.codepoint=content_paste_off_sharp content_paste_off_sharp=material/content_paste_off_sharp.png ef82.codepoint=content_paste_outlined content_paste_outlined=material/content_paste_outlined.png f66f.codepoint=content_paste_rounded content_paste_rounded=material/content_paste_rounded.png f04d7.codepoint=content_paste_search content_paste_search=material/content_paste_search.png f05d1.codepoint=content_paste_search_outlined content_paste_search_outlined=material/content_paste_search_outlined.png f02f0.codepoint=content_paste_search_rounded content_paste_search_rounded=material/content_paste_search_rounded.png f03e3.codepoint=content_paste_search_sharp content_paste_search_sharp=material/content_paste_search_sharp.png e890.codepoint=content_paste_sharp content_paste_sharp=material/content_paste_sharp.png f04d8.codepoint=contrast contrast=material/contrast.png f05d2.codepoint=contrast_outlined contrast_outlined=material/contrast_outlined.png f02f1.codepoint=contrast_rounded contrast_rounded=material/contrast_rounded.png f03e4.codepoint=contrast_sharp contrast_sharp=material/contrast_sharp.png e194.codepoint=control_camera control_camera=material/control_camera.png ef83.codepoint=control_camera_outlined control_camera_outlined=material/control_camera_outlined.png f670.codepoint=control_camera_rounded control_camera_rounded=material/control_camera_rounded.png e891.codepoint=control_camera_sharp control_camera_sharp=material/control_camera_sharp.png e195.codepoint=control_point control_point=material/control_point.png e196.codepoint=control_point_duplicate control_point_duplicate=material/control_point_duplicate.png ef84.codepoint=control_point_duplicate_outlined control_point_duplicate_outlined=material/control_point_duplicate_outlined.png f671.codepoint=control_point_duplicate_rounded control_point_duplicate_rounded=material/control_point_duplicate_rounded.png e892.codepoint=control_point_duplicate_sharp control_point_duplicate_sharp=material/control_point_duplicate_sharp.png ef85.codepoint=control_point_outlined control_point_outlined=material/control_point_outlined.png f672.codepoint=control_point_rounded control_point_rounded=material/control_point_rounded.png e893.codepoint=control_point_sharp control_point_sharp=material/control_point_sharp.png f04d9.codepoint=cookie cookie=material/cookie.png f05d3.codepoint=cookie_outlined cookie_outlined=material/cookie_outlined.png f02f2.codepoint=cookie_rounded cookie_rounded=material/cookie_rounded.png f03e5.codepoint=cookie_sharp cookie_sharp=material/cookie_sharp.png # e190.codepoint=copy copy=material/copy.png e197.codepoint=copy_all copy_all=material/copy_all.png ef86.codepoint=copy_all_outlined copy_all_outlined=material/copy_all_outlined.png f673.codepoint=copy_all_rounded copy_all_rounded=material/copy_all_rounded.png e894.codepoint=copy_all_sharp copy_all_sharp=material/copy_all_sharp.png # ef7f.codepoint=copy_outlined copy_outlined=material/copy_outlined.png # f66c.codepoint=copy_rounded copy_rounded=material/copy_rounded.png # e88d.codepoint=copy_sharp copy_sharp=material/copy_sharp.png e198.codepoint=copyright copyright=material/copyright.png ef87.codepoint=copyright_outlined copyright_outlined=material/copyright_outlined.png f674.codepoint=copyright_rounded copyright_rounded=material/copyright_rounded.png e895.codepoint=copyright_sharp copyright_sharp=material/copyright_sharp.png e199.codepoint=coronavirus coronavirus=material/coronavirus.png ef88.codepoint=coronavirus_outlined coronavirus_outlined=material/coronavirus_outlined.png f675.codepoint=coronavirus_rounded coronavirus_rounded=material/coronavirus_rounded.png e896.codepoint=coronavirus_sharp coronavirus_sharp=material/coronavirus_sharp.png e19a.codepoint=corporate_fare corporate_fare=material/corporate_fare.png ef89.codepoint=corporate_fare_outlined corporate_fare_outlined=material/corporate_fare_outlined.png f676.codepoint=corporate_fare_rounded corporate_fare_rounded=material/corporate_fare_rounded.png e897.codepoint=corporate_fare_sharp corporate_fare_sharp=material/corporate_fare_sharp.png e19b.codepoint=cottage cottage=material/cottage.png ef8a.codepoint=cottage_outlined cottage_outlined=material/cottage_outlined.png f677.codepoint=cottage_rounded cottage_rounded=material/cottage_rounded.png e898.codepoint=cottage_sharp cottage_sharp=material/cottage_sharp.png e19c.codepoint=countertops countertops=material/countertops.png ef8b.codepoint=countertops_outlined countertops_outlined=material/countertops_outlined.png f678.codepoint=countertops_rounded countertops_rounded=material/countertops_rounded.png e899.codepoint=countertops_sharp countertops_sharp=material/countertops_sharp.png e19d.codepoint=create create=material/create.png e19e.codepoint=create_new_folder create_new_folder=material/create_new_folder.png ef8c.codepoint=create_new_folder_outlined create_new_folder_outlined=material/create_new_folder_outlined.png f679.codepoint=create_new_folder_rounded create_new_folder_rounded=material/create_new_folder_rounded.png e89a.codepoint=create_new_folder_sharp create_new_folder_sharp=material/create_new_folder_sharp.png ef8d.codepoint=create_outlined create_outlined=material/create_outlined.png f67a.codepoint=create_rounded create_rounded=material/create_rounded.png e89b.codepoint=create_sharp create_sharp=material/create_sharp.png e19f.codepoint=credit_card credit_card=material/credit_card.png e1a0.codepoint=credit_card_off credit_card_off=material/credit_card_off.png ef8e.codepoint=credit_card_off_outlined credit_card_off_outlined=material/credit_card_off_outlined.png f67b.codepoint=credit_card_off_rounded credit_card_off_rounded=material/credit_card_off_rounded.png e89c.codepoint=credit_card_off_sharp credit_card_off_sharp=material/credit_card_off_sharp.png ef8f.codepoint=credit_card_outlined credit_card_outlined=material/credit_card_outlined.png f67c.codepoint=credit_card_rounded credit_card_rounded=material/credit_card_rounded.png e89d.codepoint=credit_card_sharp credit_card_sharp=material/credit_card_sharp.png e1a1.codepoint=credit_score credit_score=material/credit_score.png ef90.codepoint=credit_score_outlined credit_score_outlined=material/credit_score_outlined.png f67d.codepoint=credit_score_rounded credit_score_rounded=material/credit_score_rounded.png e89e.codepoint=credit_score_sharp credit_score_sharp=material/credit_score_sharp.png e1a2.codepoint=crib crib=material/crib.png ef91.codepoint=crib_outlined crib_outlined=material/crib_outlined.png f67e.codepoint=crib_rounded crib_rounded=material/crib_rounded.png e89f.codepoint=crib_sharp crib_sharp=material/crib_sharp.png f0794.codepoint=crisis_alert crisis_alert=material/crisis_alert.png f06e4.codepoint=crisis_alert_outlined crisis_alert_outlined=material/crisis_alert_outlined.png f07ec.codepoint=crisis_alert_rounded crisis_alert_rounded=material/crisis_alert_rounded.png f073c.codepoint=crisis_alert_sharp crisis_alert_sharp=material/crisis_alert_sharp.png e1a3.codepoint=crop crop=material/crop.png e1a4.codepoint=crop_16_9 crop_16_9=material/crop_16_9.png ef92.codepoint=crop_16_9_outlined crop_16_9_outlined=material/crop_16_9_outlined.png f67f.codepoint=crop_16_9_rounded crop_16_9_rounded=material/crop_16_9_rounded.png e8a0.codepoint=crop_16_9_sharp crop_16_9_sharp=material/crop_16_9_sharp.png e1a5.codepoint=crop_3_2 crop_3_2=material/crop_3_2.png ef93.codepoint=crop_3_2_outlined crop_3_2_outlined=material/crop_3_2_outlined.png f680.codepoint=crop_3_2_rounded crop_3_2_rounded=material/crop_3_2_rounded.png e8a1.codepoint=crop_3_2_sharp crop_3_2_sharp=material/crop_3_2_sharp.png e1a6.codepoint=crop_5_4 crop_5_4=material/crop_5_4.png ef94.codepoint=crop_5_4_outlined crop_5_4_outlined=material/crop_5_4_outlined.png f681.codepoint=crop_5_4_rounded crop_5_4_rounded=material/crop_5_4_rounded.png e8a2.codepoint=crop_5_4_sharp crop_5_4_sharp=material/crop_5_4_sharp.png e1a7.codepoint=crop_7_5 crop_7_5=material/crop_7_5.png ef95.codepoint=crop_7_5_outlined crop_7_5_outlined=material/crop_7_5_outlined.png f682.codepoint=crop_7_5_rounded crop_7_5_rounded=material/crop_7_5_rounded.png e8a3.codepoint=crop_7_5_sharp crop_7_5_sharp=material/crop_7_5_sharp.png e1a8.codepoint=crop_din crop_din=material/crop_din.png ef96.codepoint=crop_din_outlined crop_din_outlined=material/crop_din_outlined.png f683.codepoint=crop_din_rounded crop_din_rounded=material/crop_din_rounded.png e8a4.codepoint=crop_din_sharp crop_din_sharp=material/crop_din_sharp.png e1a9.codepoint=crop_free crop_free=material/crop_free.png ef97.codepoint=crop_free_outlined crop_free_outlined=material/crop_free_outlined.png f684.codepoint=crop_free_rounded crop_free_rounded=material/crop_free_rounded.png e8a5.codepoint=crop_free_sharp crop_free_sharp=material/crop_free_sharp.png e1aa.codepoint=crop_landscape crop_landscape=material/crop_landscape.png ef98.codepoint=crop_landscape_outlined crop_landscape_outlined=material/crop_landscape_outlined.png f685.codepoint=crop_landscape_rounded crop_landscape_rounded=material/crop_landscape_rounded.png e8a6.codepoint=crop_landscape_sharp crop_landscape_sharp=material/crop_landscape_sharp.png e1ab.codepoint=crop_original crop_original=material/crop_original.png ef99.codepoint=crop_original_outlined crop_original_outlined=material/crop_original_outlined.png f686.codepoint=crop_original_rounded crop_original_rounded=material/crop_original_rounded.png e8a7.codepoint=crop_original_sharp crop_original_sharp=material/crop_original_sharp.png ef9a.codepoint=crop_outlined crop_outlined=material/crop_outlined.png e1ac.codepoint=crop_portrait crop_portrait=material/crop_portrait.png ef9b.codepoint=crop_portrait_outlined crop_portrait_outlined=material/crop_portrait_outlined.png f687.codepoint=crop_portrait_rounded crop_portrait_rounded=material/crop_portrait_rounded.png e8a8.codepoint=crop_portrait_sharp crop_portrait_sharp=material/crop_portrait_sharp.png e1ad.codepoint=crop_rotate crop_rotate=material/crop_rotate.png ef9c.codepoint=crop_rotate_outlined crop_rotate_outlined=material/crop_rotate_outlined.png f688.codepoint=crop_rotate_rounded crop_rotate_rounded=material/crop_rotate_rounded.png e8a9.codepoint=crop_rotate_sharp crop_rotate_sharp=material/crop_rotate_sharp.png f689.codepoint=crop_rounded crop_rounded=material/crop_rounded.png e8aa.codepoint=crop_sharp crop_sharp=material/crop_sharp.png e1ae.codepoint=crop_square crop_square=material/crop_square.png ef9d.codepoint=crop_square_outlined crop_square_outlined=material/crop_square_outlined.png f68a.codepoint=crop_square_rounded crop_square_rounded=material/crop_square_rounded.png e8ab.codepoint=crop_square_sharp crop_square_sharp=material/crop_square_sharp.png f04da.codepoint=cruelty_free cruelty_free=material/cruelty_free.png f05d4.codepoint=cruelty_free_outlined cruelty_free_outlined=material/cruelty_free_outlined.png f02f3.codepoint=cruelty_free_rounded cruelty_free_rounded=material/cruelty_free_rounded.png f03e6.codepoint=cruelty_free_sharp cruelty_free_sharp=material/cruelty_free_sharp.png f04db.codepoint=css css=material/css.png f05d5.codepoint=css_outlined css_outlined=material/css_outlined.png f02f4.codepoint=css_rounded css_rounded=material/css_rounded.png f03e7.codepoint=css_sharp css_sharp=material/css_sharp.png f06bc.codepoint=currency_bitcoin currency_bitcoin=material/currency_bitcoin.png f054a.codepoint=currency_bitcoin_outlined currency_bitcoin_outlined=material/currency_bitcoin_outlined.png f06c9.codepoint=currency_bitcoin_rounded currency_bitcoin_rounded=material/currency_bitcoin_rounded.png f06af.codepoint=currency_bitcoin_sharp currency_bitcoin_sharp=material/currency_bitcoin_sharp.png f04dc.codepoint=currency_exchange currency_exchange=material/currency_exchange.png f05d6.codepoint=currency_exchange_outlined currency_exchange_outlined=material/currency_exchange_outlined.png f02f5.codepoint=currency_exchange_rounded currency_exchange_rounded=material/currency_exchange_rounded.png f03e8.codepoint=currency_exchange_sharp currency_exchange_sharp=material/currency_exchange_sharp.png f04dd.codepoint=currency_franc currency_franc=material/currency_franc.png f05d7.codepoint=currency_franc_outlined currency_franc_outlined=material/currency_franc_outlined.png f02f6.codepoint=currency_franc_rounded currency_franc_rounded=material/currency_franc_rounded.png f03e9.codepoint=currency_franc_sharp currency_franc_sharp=material/currency_franc_sharp.png f04de.codepoint=currency_lira currency_lira=material/currency_lira.png f05d8.codepoint=currency_lira_outlined currency_lira_outlined=material/currency_lira_outlined.png f02f7.codepoint=currency_lira_rounded currency_lira_rounded=material/currency_lira_rounded.png f03ea.codepoint=currency_lira_sharp currency_lira_sharp=material/currency_lira_sharp.png f04df.codepoint=currency_pound currency_pound=material/currency_pound.png f05d9.codepoint=currency_pound_outlined currency_pound_outlined=material/currency_pound_outlined.png f02f8.codepoint=currency_pound_rounded currency_pound_rounded=material/currency_pound_rounded.png f03eb.codepoint=currency_pound_sharp currency_pound_sharp=material/currency_pound_sharp.png f04e0.codepoint=currency_ruble currency_ruble=material/currency_ruble.png f05da.codepoint=currency_ruble_outlined currency_ruble_outlined=material/currency_ruble_outlined.png f02f9.codepoint=currency_ruble_rounded currency_ruble_rounded=material/currency_ruble_rounded.png f03ec.codepoint=currency_ruble_sharp currency_ruble_sharp=material/currency_ruble_sharp.png f04e1.codepoint=currency_rupee currency_rupee=material/currency_rupee.png f05db.codepoint=currency_rupee_outlined currency_rupee_outlined=material/currency_rupee_outlined.png f02fa.codepoint=currency_rupee_rounded currency_rupee_rounded=material/currency_rupee_rounded.png f03ed.codepoint=currency_rupee_sharp currency_rupee_sharp=material/currency_rupee_sharp.png f04e2.codepoint=currency_yen currency_yen=material/currency_yen.png f05dc.codepoint=currency_yen_outlined currency_yen_outlined=material/currency_yen_outlined.png f02fb.codepoint=currency_yen_rounded currency_yen_rounded=material/currency_yen_rounded.png f03ee.codepoint=currency_yen_sharp currency_yen_sharp=material/currency_yen_sharp.png f04e3.codepoint=currency_yuan currency_yuan=material/currency_yuan.png f05dd.codepoint=currency_yuan_outlined currency_yuan_outlined=material/currency_yuan_outlined.png f02fc.codepoint=currency_yuan_rounded currency_yuan_rounded=material/currency_yuan_rounded.png f03ef.codepoint=currency_yuan_sharp currency_yuan_sharp=material/currency_yuan_sharp.png f0795.codepoint=curtains curtains=material/curtains.png f0796.codepoint=curtains_closed curtains_closed=material/curtains_closed.png f06e5.codepoint=curtains_closed_outlined curtains_closed_outlined=material/curtains_closed_outlined.png f07ed.codepoint=curtains_closed_rounded curtains_closed_rounded=material/curtains_closed_rounded.png f073d.codepoint=curtains_closed_sharp curtains_closed_sharp=material/curtains_closed_sharp.png f06e6.codepoint=curtains_outlined curtains_outlined=material/curtains_outlined.png f07ee.codepoint=curtains_rounded curtains_rounded=material/curtains_rounded.png f073e.codepoint=curtains_sharp curtains_sharp=material/curtains_sharp.png # e191.codepoint=cut cut=material/cut.png # ef80.codepoint=cut_outlined cut_outlined=material/cut_outlined.png # f66d.codepoint=cut_rounded cut_rounded=material/cut_rounded.png # e88e.codepoint=cut_sharp cut_sharp=material/cut_sharp.png f0797.codepoint=cyclone cyclone=material/cyclone.png f06e7.codepoint=cyclone_outlined cyclone_outlined=material/cyclone_outlined.png f07ef.codepoint=cyclone_rounded cyclone_rounded=material/cyclone_rounded.png f073f.codepoint=cyclone_sharp cyclone_sharp=material/cyclone_sharp.png e1af.codepoint=dangerous dangerous=material/dangerous.png ef9e.codepoint=dangerous_outlined dangerous_outlined=material/dangerous_outlined.png f68b.codepoint=dangerous_rounded dangerous_rounded=material/dangerous_rounded.png e8ac.codepoint=dangerous_sharp dangerous_sharp=material/dangerous_sharp.png e1b0.codepoint=dark_mode dark_mode=material/dark_mode.png ef9f.codepoint=dark_mode_outlined dark_mode_outlined=material/dark_mode_outlined.png f68c.codepoint=dark_mode_rounded dark_mode_rounded=material/dark_mode_rounded.png e8ad.codepoint=dark_mode_sharp dark_mode_sharp=material/dark_mode_sharp.png e1b1.codepoint=dashboard dashboard=material/dashboard.png e1b2.codepoint=dashboard_customize dashboard_customize=material/dashboard_customize.png efa0.codepoint=dashboard_customize_outlined dashboard_customize_outlined=material/dashboard_customize_outlined.png f68d.codepoint=dashboard_customize_rounded dashboard_customize_rounded=material/dashboard_customize_rounded.png e8ae.codepoint=dashboard_customize_sharp dashboard_customize_sharp=material/dashboard_customize_sharp.png efa1.codepoint=dashboard_outlined dashboard_outlined=material/dashboard_outlined.png f68e.codepoint=dashboard_rounded dashboard_rounded=material/dashboard_rounded.png e8af.codepoint=dashboard_sharp dashboard_sharp=material/dashboard_sharp.png f04e4.codepoint=data_array data_array=material/data_array.png f05de.codepoint=data_array_outlined data_array_outlined=material/data_array_outlined.png f02fd.codepoint=data_array_rounded data_array_rounded=material/data_array_rounded.png f03f0.codepoint=data_array_sharp data_array_sharp=material/data_array_sharp.png f04e5.codepoint=data_exploration data_exploration=material/data_exploration.png f05df.codepoint=data_exploration_outlined data_exploration_outlined=material/data_exploration_outlined.png f02fe.codepoint=data_exploration_rounded data_exploration_rounded=material/data_exploration_rounded.png f03f1.codepoint=data_exploration_sharp data_exploration_sharp=material/data_exploration_sharp.png f04e6.codepoint=data_object data_object=material/data_object.png f05e0.codepoint=data_object_outlined data_object_outlined=material/data_object_outlined.png f02ff.codepoint=data_object_rounded data_object_rounded=material/data_object_rounded.png f03f2.codepoint=data_object_sharp data_object_sharp=material/data_object_sharp.png e1b3.codepoint=data_saver_off data_saver_off=material/data_saver_off.png efa2.codepoint=data_saver_off_outlined data_saver_off_outlined=material/data_saver_off_outlined.png f68f.codepoint=data_saver_off_rounded data_saver_off_rounded=material/data_saver_off_rounded.png e8b0.codepoint=data_saver_off_sharp data_saver_off_sharp=material/data_saver_off_sharp.png e1b4.codepoint=data_saver_on data_saver_on=material/data_saver_on.png efa3.codepoint=data_saver_on_outlined data_saver_on_outlined=material/data_saver_on_outlined.png f690.codepoint=data_saver_on_rounded data_saver_on_rounded=material/data_saver_on_rounded.png e8b1.codepoint=data_saver_on_sharp data_saver_on_sharp=material/data_saver_on_sharp.png f04e7.codepoint=data_thresholding data_thresholding=material/data_thresholding.png f05e1.codepoint=data_thresholding_outlined data_thresholding_outlined=material/data_thresholding_outlined.png f0300.codepoint=data_thresholding_rounded data_thresholding_rounded=material/data_thresholding_rounded.png f03f3.codepoint=data_thresholding_sharp data_thresholding_sharp=material/data_thresholding_sharp.png e1b5.codepoint=data_usage data_usage=material/data_usage.png efa4.codepoint=data_usage_outlined data_usage_outlined=material/data_usage_outlined.png f691.codepoint=data_usage_rounded data_usage_rounded=material/data_usage_rounded.png e8b2.codepoint=data_usage_sharp data_usage_sharp=material/data_usage_sharp.png f0798.codepoint=dataset dataset=material/dataset.png f0799.codepoint=dataset_linked dataset_linked=material/dataset_linked.png f06e8.codepoint=dataset_linked_outlined dataset_linked_outlined=material/dataset_linked_outlined.png f07f0.codepoint=dataset_linked_rounded dataset_linked_rounded=material/dataset_linked_rounded.png f0740.codepoint=dataset_linked_sharp dataset_linked_sharp=material/dataset_linked_sharp.png f06e9.codepoint=dataset_outlined dataset_outlined=material/dataset_outlined.png f07f1.codepoint=dataset_rounded dataset_rounded=material/dataset_rounded.png f0741.codepoint=dataset_sharp dataset_sharp=material/dataset_sharp.png e1b6.codepoint=date_range date_range=material/date_range.png efa5.codepoint=date_range_outlined date_range_outlined=material/date_range_outlined.png f692.codepoint=date_range_rounded date_range_rounded=material/date_range_rounded.png e8b3.codepoint=date_range_sharp date_range_sharp=material/date_range_sharp.png f04e8.codepoint=deblur deblur=material/deblur.png f05e2.codepoint=deblur_outlined deblur_outlined=material/deblur_outlined.png f0301.codepoint=deblur_rounded deblur_rounded=material/deblur_rounded.png f03f4.codepoint=deblur_sharp deblur_sharp=material/deblur_sharp.png e1b7.codepoint=deck deck=material/deck.png efa6.codepoint=deck_outlined deck_outlined=material/deck_outlined.png f693.codepoint=deck_rounded deck_rounded=material/deck_rounded.png e8b4.codepoint=deck_sharp deck_sharp=material/deck_sharp.png e1b8.codepoint=dehaze dehaze=material/dehaze.png efa7.codepoint=dehaze_outlined dehaze_outlined=material/dehaze_outlined.png f694.codepoint=dehaze_rounded dehaze_rounded=material/dehaze_rounded.png e8b5.codepoint=dehaze_sharp dehaze_sharp=material/dehaze_sharp.png e1b9.codepoint=delete delete=material/delete.png e1ba.codepoint=delete_forever delete_forever=material/delete_forever.png efa8.codepoint=delete_forever_outlined delete_forever_outlined=material/delete_forever_outlined.png f695.codepoint=delete_forever_rounded delete_forever_rounded=material/delete_forever_rounded.png e8b6.codepoint=delete_forever_sharp delete_forever_sharp=material/delete_forever_sharp.png e1bb.codepoint=delete_outline delete_outline=material/delete_outline.png efa9.codepoint=delete_outline_outlined delete_outline_outlined=material/delete_outline_outlined.png f696.codepoint=delete_outline_rounded delete_outline_rounded=material/delete_outline_rounded.png e8b7.codepoint=delete_outline_sharp delete_outline_sharp=material/delete_outline_sharp.png efaa.codepoint=delete_outlined delete_outlined=material/delete_outlined.png f697.codepoint=delete_rounded delete_rounded=material/delete_rounded.png e8b8.codepoint=delete_sharp delete_sharp=material/delete_sharp.png e1bc.codepoint=delete_sweep delete_sweep=material/delete_sweep.png efab.codepoint=delete_sweep_outlined delete_sweep_outlined=material/delete_sweep_outlined.png f698.codepoint=delete_sweep_rounded delete_sweep_rounded=material/delete_sweep_rounded.png e8b9.codepoint=delete_sweep_sharp delete_sweep_sharp=material/delete_sweep_sharp.png e1bd.codepoint=delivery_dining delivery_dining=material/delivery_dining.png efac.codepoint=delivery_dining_outlined delivery_dining_outlined=material/delivery_dining_outlined.png f699.codepoint=delivery_dining_rounded delivery_dining_rounded=material/delivery_dining_rounded.png e8ba.codepoint=delivery_dining_sharp delivery_dining_sharp=material/delivery_dining_sharp.png f04e9.codepoint=density_large density_large=material/density_large.png f05e3.codepoint=density_large_outlined density_large_outlined=material/density_large_outlined.png f0302.codepoint=density_large_rounded density_large_rounded=material/density_large_rounded.png f03f5.codepoint=density_large_sharp density_large_sharp=material/density_large_sharp.png f04ea.codepoint=density_medium density_medium=material/density_medium.png f05e4.codepoint=density_medium_outlined density_medium_outlined=material/density_medium_outlined.png f0303.codepoint=density_medium_rounded density_medium_rounded=material/density_medium_rounded.png f03f6.codepoint=density_medium_sharp density_medium_sharp=material/density_medium_sharp.png f04eb.codepoint=density_small density_small=material/density_small.png f05e5.codepoint=density_small_outlined density_small_outlined=material/density_small_outlined.png f0304.codepoint=density_small_rounded density_small_rounded=material/density_small_rounded.png f03f7.codepoint=density_small_sharp density_small_sharp=material/density_small_sharp.png e1be.codepoint=departure_board departure_board=material/departure_board.png efad.codepoint=departure_board_outlined departure_board_outlined=material/departure_board_outlined.png f69a.codepoint=departure_board_rounded departure_board_rounded=material/departure_board_rounded.png e8bb.codepoint=departure_board_sharp departure_board_sharp=material/departure_board_sharp.png e1bf.codepoint=description description=material/description.png efae.codepoint=description_outlined description_outlined=material/description_outlined.png f69b.codepoint=description_rounded description_rounded=material/description_rounded.png e8bc.codepoint=description_sharp description_sharp=material/description_sharp.png f04ec.codepoint=deselect deselect=material/deselect.png f05e6.codepoint=deselect_outlined deselect_outlined=material/deselect_outlined.png f0305.codepoint=deselect_rounded deselect_rounded=material/deselect_rounded.png f03f8.codepoint=deselect_sharp deselect_sharp=material/deselect_sharp.png e1c0.codepoint=design_services design_services=material/design_services.png efaf.codepoint=design_services_outlined design_services_outlined=material/design_services_outlined.png f69c.codepoint=design_services_rounded design_services_rounded=material/design_services_rounded.png e8bd.codepoint=design_services_sharp design_services_sharp=material/design_services_sharp.png f079a.codepoint=desk desk=material/desk.png f06ea.codepoint=desk_outlined desk_outlined=material/desk_outlined.png f07f2.codepoint=desk_rounded desk_rounded=material/desk_rounded.png f0742.codepoint=desk_sharp desk_sharp=material/desk_sharp.png e1c1.codepoint=desktop_access_disabled desktop_access_disabled=material/desktop_access_disabled.png efb0.codepoint=desktop_access_disabled_outlined desktop_access_disabled_outlined=material/desktop_access_disabled_outlined.png f69d.codepoint=desktop_access_disabled_rounded desktop_access_disabled_rounded=material/desktop_access_disabled_rounded.png e8be.codepoint=desktop_access_disabled_sharp desktop_access_disabled_sharp=material/desktop_access_disabled_sharp.png e1c2.codepoint=desktop_mac desktop_mac=material/desktop_mac.png efb1.codepoint=desktop_mac_outlined desktop_mac_outlined=material/desktop_mac_outlined.png f69e.codepoint=desktop_mac_rounded desktop_mac_rounded=material/desktop_mac_rounded.png e8bf.codepoint=desktop_mac_sharp desktop_mac_sharp=material/desktop_mac_sharp.png e1c3.codepoint=desktop_windows desktop_windows=material/desktop_windows.png efb2.codepoint=desktop_windows_outlined desktop_windows_outlined=material/desktop_windows_outlined.png f69f.codepoint=desktop_windows_rounded desktop_windows_rounded=material/desktop_windows_rounded.png e8c0.codepoint=desktop_windows_sharp desktop_windows_sharp=material/desktop_windows_sharp.png e1c4.codepoint=details details=material/details.png efb3.codepoint=details_outlined details_outlined=material/details_outlined.png f6a0.codepoint=details_rounded details_rounded=material/details_rounded.png e8c1.codepoint=details_sharp details_sharp=material/details_sharp.png e1c5.codepoint=developer_board developer_board=material/developer_board.png e1c6.codepoint=developer_board_off developer_board_off=material/developer_board_off.png efb4.codepoint=developer_board_off_outlined developer_board_off_outlined=material/developer_board_off_outlined.png f6a1.codepoint=developer_board_off_rounded developer_board_off_rounded=material/developer_board_off_rounded.png e8c2.codepoint=developer_board_off_sharp developer_board_off_sharp=material/developer_board_off_sharp.png efb5.codepoint=developer_board_outlined developer_board_outlined=material/developer_board_outlined.png f6a2.codepoint=developer_board_rounded developer_board_rounded=material/developer_board_rounded.png e8c3.codepoint=developer_board_sharp developer_board_sharp=material/developer_board_sharp.png e1c7.codepoint=developer_mode developer_mode=material/developer_mode.png efb6.codepoint=developer_mode_outlined developer_mode_outlined=material/developer_mode_outlined.png f6a3.codepoint=developer_mode_rounded developer_mode_rounded=material/developer_mode_rounded.png e8c4.codepoint=developer_mode_sharp developer_mode_sharp=material/developer_mode_sharp.png e1c8.codepoint=device_hub device_hub=material/device_hub.png efb7.codepoint=device_hub_outlined device_hub_outlined=material/device_hub_outlined.png f6a4.codepoint=device_hub_rounded device_hub_rounded=material/device_hub_rounded.png e8c5.codepoint=device_hub_sharp device_hub_sharp=material/device_hub_sharp.png e1c9.codepoint=device_thermostat device_thermostat=material/device_thermostat.png efb8.codepoint=device_thermostat_outlined device_thermostat_outlined=material/device_thermostat_outlined.png f6a5.codepoint=device_thermostat_rounded device_thermostat_rounded=material/device_thermostat_rounded.png e8c6.codepoint=device_thermostat_sharp device_thermostat_sharp=material/device_thermostat_sharp.png e1ca.codepoint=device_unknown device_unknown=material/device_unknown.png efb9.codepoint=device_unknown_outlined device_unknown_outlined=material/device_unknown_outlined.png f6a6.codepoint=device_unknown_rounded device_unknown_rounded=material/device_unknown_rounded.png e8c7.codepoint=device_unknown_sharp device_unknown_sharp=material/device_unknown_sharp.png e1cb.codepoint=devices devices=material/devices.png f079b.codepoint=devices_fold devices_fold=material/devices_fold.png f06eb.codepoint=devices_fold_outlined devices_fold_outlined=material/devices_fold_outlined.png f07f3.codepoint=devices_fold_rounded devices_fold_rounded=material/devices_fold_rounded.png f0743.codepoint=devices_fold_sharp devices_fold_sharp=material/devices_fold_sharp.png e1cc.codepoint=devices_other devices_other=material/devices_other.png efba.codepoint=devices_other_outlined devices_other_outlined=material/devices_other_outlined.png f6a7.codepoint=devices_other_rounded devices_other_rounded=material/devices_other_rounded.png e8c8.codepoint=devices_other_sharp devices_other_sharp=material/devices_other_sharp.png efbb.codepoint=devices_outlined devices_outlined=material/devices_outlined.png f6a8.codepoint=devices_rounded devices_rounded=material/devices_rounded.png e8c9.codepoint=devices_sharp devices_sharp=material/devices_sharp.png e1cd.codepoint=dialer_sip dialer_sip=material/dialer_sip.png efbc.codepoint=dialer_sip_outlined dialer_sip_outlined=material/dialer_sip_outlined.png f6a9.codepoint=dialer_sip_rounded dialer_sip_rounded=material/dialer_sip_rounded.png e8ca.codepoint=dialer_sip_sharp dialer_sip_sharp=material/dialer_sip_sharp.png e1ce.codepoint=dialpad dialpad=material/dialpad.png efbd.codepoint=dialpad_outlined dialpad_outlined=material/dialpad_outlined.png f6aa.codepoint=dialpad_rounded dialpad_rounded=material/dialpad_rounded.png e8cb.codepoint=dialpad_sharp dialpad_sharp=material/dialpad_sharp.png f04ed.codepoint=diamond diamond=material/diamond.png f05e7.codepoint=diamond_outlined diamond_outlined=material/diamond_outlined.png f0306.codepoint=diamond_rounded diamond_rounded=material/diamond_rounded.png f03f9.codepoint=diamond_sharp diamond_sharp=material/diamond_sharp.png f04ee.codepoint=difference difference=material/difference.png f05e8.codepoint=difference_outlined difference_outlined=material/difference_outlined.png f0307.codepoint=difference_rounded difference_rounded=material/difference_rounded.png f03fa.codepoint=difference_sharp difference_sharp=material/difference_sharp.png e1cf.codepoint=dining dining=material/dining.png efbe.codepoint=dining_outlined dining_outlined=material/dining_outlined.png f6ab.codepoint=dining_rounded dining_rounded=material/dining_rounded.png e8cc.codepoint=dining_sharp dining_sharp=material/dining_sharp.png e1d0.codepoint=dinner_dining dinner_dining=material/dinner_dining.png efbf.codepoint=dinner_dining_outlined dinner_dining_outlined=material/dinner_dining_outlined.png f6ac.codepoint=dinner_dining_rounded dinner_dining_rounded=material/dinner_dining_rounded.png e8cd.codepoint=dinner_dining_sharp dinner_dining_sharp=material/dinner_dining_sharp.png e1d1.codepoint=directions directions=material/directions.png e1d2.codepoint=directions_bike directions_bike=material/directions_bike.png efc0.codepoint=directions_bike_outlined directions_bike_outlined=material/directions_bike_outlined.png f6ad.codepoint=directions_bike_rounded directions_bike_rounded=material/directions_bike_rounded.png e8ce.codepoint=directions_bike_sharp directions_bike_sharp=material/directions_bike_sharp.png e1d3.codepoint=directions_boat directions_boat=material/directions_boat.png e1d4.codepoint=directions_boat_filled directions_boat_filled=material/directions_boat_filled.png efc1.codepoint=directions_boat_filled_outlined directions_boat_filled_outlined=material/directions_boat_filled_outlined.png f6ae.codepoint=directions_boat_filled_rounded directions_boat_filled_rounded=material/directions_boat_filled_rounded.png e8cf.codepoint=directions_boat_filled_sharp directions_boat_filled_sharp=material/directions_boat_filled_sharp.png efc2.codepoint=directions_boat_outlined directions_boat_outlined=material/directions_boat_outlined.png f6af.codepoint=directions_boat_rounded directions_boat_rounded=material/directions_boat_rounded.png e8d0.codepoint=directions_boat_sharp directions_boat_sharp=material/directions_boat_sharp.png e1d5.codepoint=directions_bus directions_bus=material/directions_bus.png e1d6.codepoint=directions_bus_filled directions_bus_filled=material/directions_bus_filled.png efc3.codepoint=directions_bus_filled_outlined directions_bus_filled_outlined=material/directions_bus_filled_outlined.png f6b0.codepoint=directions_bus_filled_rounded directions_bus_filled_rounded=material/directions_bus_filled_rounded.png e8d1.codepoint=directions_bus_filled_sharp directions_bus_filled_sharp=material/directions_bus_filled_sharp.png efc4.codepoint=directions_bus_outlined directions_bus_outlined=material/directions_bus_outlined.png f6b1.codepoint=directions_bus_rounded directions_bus_rounded=material/directions_bus_rounded.png e8d2.codepoint=directions_bus_sharp directions_bus_sharp=material/directions_bus_sharp.png e1d7.codepoint=directions_car directions_car=material/directions_car.png e1d8.codepoint=directions_car_filled directions_car_filled=material/directions_car_filled.png efc5.codepoint=directions_car_filled_outlined directions_car_filled_outlined=material/directions_car_filled_outlined.png f6b2.codepoint=directions_car_filled_rounded directions_car_filled_rounded=material/directions_car_filled_rounded.png e8d3.codepoint=directions_car_filled_sharp directions_car_filled_sharp=material/directions_car_filled_sharp.png efc6.codepoint=directions_car_outlined directions_car_outlined=material/directions_car_outlined.png f6b3.codepoint=directions_car_rounded directions_car_rounded=material/directions_car_rounded.png e8d4.codepoint=directions_car_sharp directions_car_sharp=material/directions_car_sharp.png # e1d3.codepoint=directions_ferry directions_ferry=material/directions_ferry.png # efc2.codepoint=directions_ferry_outlined directions_ferry_outlined=material/directions_ferry_outlined.png # f6af.codepoint=directions_ferry_rounded directions_ferry_rounded=material/directions_ferry_rounded.png # e8d0.codepoint=directions_ferry_sharp directions_ferry_sharp=material/directions_ferry_sharp.png e1d9.codepoint=directions_off directions_off=material/directions_off.png efc7.codepoint=directions_off_outlined directions_off_outlined=material/directions_off_outlined.png f6b4.codepoint=directions_off_rounded directions_off_rounded=material/directions_off_rounded.png e8d5.codepoint=directions_off_sharp directions_off_sharp=material/directions_off_sharp.png efc8.codepoint=directions_outlined directions_outlined=material/directions_outlined.png e1da.codepoint=directions_railway directions_railway=material/directions_railway.png e1db.codepoint=directions_railway_filled directions_railway_filled=material/directions_railway_filled.png efc9.codepoint=directions_railway_filled_outlined directions_railway_filled_outlined=material/directions_railway_filled_outlined.png f6b5.codepoint=directions_railway_filled_rounded directions_railway_filled_rounded=material/directions_railway_filled_rounded.png e8d6.codepoint=directions_railway_filled_sharp directions_railway_filled_sharp=material/directions_railway_filled_sharp.png efca.codepoint=directions_railway_outlined directions_railway_outlined=material/directions_railway_outlined.png f6b6.codepoint=directions_railway_rounded directions_railway_rounded=material/directions_railway_rounded.png e8d7.codepoint=directions_railway_sharp directions_railway_sharp=material/directions_railway_sharp.png f6b7.codepoint=directions_rounded directions_rounded=material/directions_rounded.png e1dc.codepoint=directions_run directions_run=material/directions_run.png efcb.codepoint=directions_run_outlined directions_run_outlined=material/directions_run_outlined.png f6b8.codepoint=directions_run_rounded directions_run_rounded=material/directions_run_rounded.png e8d8.codepoint=directions_run_sharp directions_run_sharp=material/directions_run_sharp.png e8d9.codepoint=directions_sharp directions_sharp=material/directions_sharp.png e1dd.codepoint=directions_subway directions_subway=material/directions_subway.png e1de.codepoint=directions_subway_filled directions_subway_filled=material/directions_subway_filled.png efcc.codepoint=directions_subway_filled_outlined directions_subway_filled_outlined=material/directions_subway_filled_outlined.png f6b9.codepoint=directions_subway_filled_rounded directions_subway_filled_rounded=material/directions_subway_filled_rounded.png e8da.codepoint=directions_subway_filled_sharp directions_subway_filled_sharp=material/directions_subway_filled_sharp.png efcd.codepoint=directions_subway_outlined directions_subway_outlined=material/directions_subway_outlined.png f6ba.codepoint=directions_subway_rounded directions_subway_rounded=material/directions_subway_rounded.png e8db.codepoint=directions_subway_sharp directions_subway_sharp=material/directions_subway_sharp.png # e1da.codepoint=directions_train directions_train=material/directions_train.png # efca.codepoint=directions_train_outlined directions_train_outlined=material/directions_train_outlined.png # f6b6.codepoint=directions_train_rounded directions_train_rounded=material/directions_train_rounded.png # e8d7.codepoint=directions_train_sharp directions_train_sharp=material/directions_train_sharp.png e1df.codepoint=directions_transit directions_transit=material/directions_transit.png e1e0.codepoint=directions_transit_filled directions_transit_filled=material/directions_transit_filled.png efce.codepoint=directions_transit_filled_outlined directions_transit_filled_outlined=material/directions_transit_filled_outlined.png f6bb.codepoint=directions_transit_filled_rounded directions_transit_filled_rounded=material/directions_transit_filled_rounded.png e8dc.codepoint=directions_transit_filled_sharp directions_transit_filled_sharp=material/directions_transit_filled_sharp.png efcf.codepoint=directions_transit_outlined directions_transit_outlined=material/directions_transit_outlined.png f6bc.codepoint=directions_transit_rounded directions_transit_rounded=material/directions_transit_rounded.png e8dd.codepoint=directions_transit_sharp directions_transit_sharp=material/directions_transit_sharp.png e1e1.codepoint=directions_walk directions_walk=material/directions_walk.png efd0.codepoint=directions_walk_outlined directions_walk_outlined=material/directions_walk_outlined.png f6bd.codepoint=directions_walk_rounded directions_walk_rounded=material/directions_walk_rounded.png e8de.codepoint=directions_walk_sharp directions_walk_sharp=material/directions_walk_sharp.png e1e2.codepoint=dirty_lens dirty_lens=material/dirty_lens.png efd1.codepoint=dirty_lens_outlined dirty_lens_outlined=material/dirty_lens_outlined.png f6be.codepoint=dirty_lens_rounded dirty_lens_rounded=material/dirty_lens_rounded.png e8df.codepoint=dirty_lens_sharp dirty_lens_sharp=material/dirty_lens_sharp.png e1e3.codepoint=disabled_by_default disabled_by_default=material/disabled_by_default.png efd2.codepoint=disabled_by_default_outlined disabled_by_default_outlined=material/disabled_by_default_outlined.png f6bf.codepoint=disabled_by_default_rounded disabled_by_default_rounded=material/disabled_by_default_rounded.png e8e0.codepoint=disabled_by_default_sharp disabled_by_default_sharp=material/disabled_by_default_sharp.png f04ef.codepoint=disabled_visible disabled_visible=material/disabled_visible.png f05e9.codepoint=disabled_visible_outlined disabled_visible_outlined=material/disabled_visible_outlined.png f0308.codepoint=disabled_visible_rounded disabled_visible_rounded=material/disabled_visible_rounded.png f03fb.codepoint=disabled_visible_sharp disabled_visible_sharp=material/disabled_visible_sharp.png e1e4.codepoint=disc_full disc_full=material/disc_full.png efd3.codepoint=disc_full_outlined disc_full_outlined=material/disc_full_outlined.png f6c0.codepoint=disc_full_rounded disc_full_rounded=material/disc_full_rounded.png e8e1.codepoint=disc_full_sharp disc_full_sharp=material/disc_full_sharp.png f04f0.codepoint=discord discord=material/discord.png f05ea.codepoint=discord_outlined discord_outlined=material/discord_outlined.png f0309.codepoint=discord_rounded discord_rounded=material/discord_rounded.png f03fc.codepoint=discord_sharp discord_sharp=material/discord_sharp.png f06bd.codepoint=discount discount=material/discount.png f06a3.codepoint=discount_outlined discount_outlined=material/discount_outlined.png f06ca.codepoint=discount_rounded discount_rounded=material/discount_rounded.png f06b0.codepoint=discount_sharp discount_sharp=material/discount_sharp.png f04f1.codepoint=display_settings display_settings=material/display_settings.png f05eb.codepoint=display_settings_outlined display_settings_outlined=material/display_settings_outlined.png f030a.codepoint=display_settings_rounded display_settings_rounded=material/display_settings_rounded.png f03fd.codepoint=display_settings_sharp display_settings_sharp=material/display_settings_sharp.png e1eb.codepoint=dnd_forwardslash dnd_forwardslash=material/dnd_forwardslash.png efd9.codepoint=dnd_forwardslash_outlined dnd_forwardslash_outlined=material/dnd_forwardslash_outlined.png f6c6.codepoint=dnd_forwardslash_rounded dnd_forwardslash_rounded=material/dnd_forwardslash_rounded.png e8e7.codepoint=dnd_forwardslash_sharp dnd_forwardslash_sharp=material/dnd_forwardslash_sharp.png e1e5.codepoint=dns dns=material/dns.png efd4.codepoint=dns_outlined dns_outlined=material/dns_outlined.png f6c1.codepoint=dns_rounded dns_rounded=material/dns_rounded.png e8e2.codepoint=dns_sharp dns_sharp=material/dns_sharp.png e1e6.codepoint=do_disturb do_disturb=material/do_disturb.png e1e7.codepoint=do_disturb_alt do_disturb_alt=material/do_disturb_alt.png efd5.codepoint=do_disturb_alt_outlined do_disturb_alt_outlined=material/do_disturb_alt_outlined.png f6c2.codepoint=do_disturb_alt_rounded do_disturb_alt_rounded=material/do_disturb_alt_rounded.png e8e3.codepoint=do_disturb_alt_sharp do_disturb_alt_sharp=material/do_disturb_alt_sharp.png e1e8.codepoint=do_disturb_off do_disturb_off=material/do_disturb_off.png efd6.codepoint=do_disturb_off_outlined do_disturb_off_outlined=material/do_disturb_off_outlined.png f6c3.codepoint=do_disturb_off_rounded do_disturb_off_rounded=material/do_disturb_off_rounded.png e8e4.codepoint=do_disturb_off_sharp do_disturb_off_sharp=material/do_disturb_off_sharp.png e1e9.codepoint=do_disturb_on do_disturb_on=material/do_disturb_on.png efd7.codepoint=do_disturb_on_outlined do_disturb_on_outlined=material/do_disturb_on_outlined.png f6c4.codepoint=do_disturb_on_rounded do_disturb_on_rounded=material/do_disturb_on_rounded.png e8e5.codepoint=do_disturb_on_sharp do_disturb_on_sharp=material/do_disturb_on_sharp.png efd8.codepoint=do_disturb_outlined do_disturb_outlined=material/do_disturb_outlined.png f6c5.codepoint=do_disturb_rounded do_disturb_rounded=material/do_disturb_rounded.png e8e6.codepoint=do_disturb_sharp do_disturb_sharp=material/do_disturb_sharp.png e1ea.codepoint=do_not_disturb do_not_disturb=material/do_not_disturb.png # e1eb.codepoint=do_not_disturb_alt do_not_disturb_alt=material/do_not_disturb_alt.png # efd9.codepoint=do_not_disturb_alt_outlined do_not_disturb_alt_outlined=material/do_not_disturb_alt_outlined.png # f6c6.codepoint=do_not_disturb_alt_rounded do_not_disturb_alt_rounded=material/do_not_disturb_alt_rounded.png # e8e7.codepoint=do_not_disturb_alt_sharp do_not_disturb_alt_sharp=material/do_not_disturb_alt_sharp.png e1ec.codepoint=do_not_disturb_off do_not_disturb_off=material/do_not_disturb_off.png efda.codepoint=do_not_disturb_off_outlined do_not_disturb_off_outlined=material/do_not_disturb_off_outlined.png f6c7.codepoint=do_not_disturb_off_rounded do_not_disturb_off_rounded=material/do_not_disturb_off_rounded.png e8e8.codepoint=do_not_disturb_off_sharp do_not_disturb_off_sharp=material/do_not_disturb_off_sharp.png e1ed.codepoint=do_not_disturb_on do_not_disturb_on=material/do_not_disturb_on.png efdb.codepoint=do_not_disturb_on_outlined do_not_disturb_on_outlined=material/do_not_disturb_on_outlined.png f6c8.codepoint=do_not_disturb_on_rounded do_not_disturb_on_rounded=material/do_not_disturb_on_rounded.png e8e9.codepoint=do_not_disturb_on_sharp do_not_disturb_on_sharp=material/do_not_disturb_on_sharp.png e1ee.codepoint=do_not_disturb_on_total_silence do_not_disturb_on_total_silence=material/do_not_disturb_on_total_silence.png efdc.codepoint=do_not_disturb_on_total_silence_outlined do_not_disturb_on_total_silence_outlined=material/do_not_disturb_on_total_silence_outlined.png f6c9.codepoint=do_not_disturb_on_total_silence_rounded do_not_disturb_on_total_silence_rounded=material/do_not_disturb_on_total_silence_rounded.png e8ea.codepoint=do_not_disturb_on_total_silence_sharp do_not_disturb_on_total_silence_sharp=material/do_not_disturb_on_total_silence_sharp.png efdd.codepoint=do_not_disturb_outlined do_not_disturb_outlined=material/do_not_disturb_outlined.png f6ca.codepoint=do_not_disturb_rounded do_not_disturb_rounded=material/do_not_disturb_rounded.png e8eb.codepoint=do_not_disturb_sharp do_not_disturb_sharp=material/do_not_disturb_sharp.png e1ef.codepoint=do_not_step do_not_step=material/do_not_step.png efde.codepoint=do_not_step_outlined do_not_step_outlined=material/do_not_step_outlined.png f6cb.codepoint=do_not_step_rounded do_not_step_rounded=material/do_not_step_rounded.png e8ec.codepoint=do_not_step_sharp do_not_step_sharp=material/do_not_step_sharp.png e1f0.codepoint=do_not_touch do_not_touch=material/do_not_touch.png efdf.codepoint=do_not_touch_outlined do_not_touch_outlined=material/do_not_touch_outlined.png f6cc.codepoint=do_not_touch_rounded do_not_touch_rounded=material/do_not_touch_rounded.png e8ed.codepoint=do_not_touch_sharp do_not_touch_sharp=material/do_not_touch_sharp.png e1f1.codepoint=dock dock=material/dock.png efe0.codepoint=dock_outlined dock_outlined=material/dock_outlined.png f6cd.codepoint=dock_rounded dock_rounded=material/dock_rounded.png e8ee.codepoint=dock_sharp dock_sharp=material/dock_sharp.png e1f2.codepoint=document_scanner document_scanner=material/document_scanner.png efe1.codepoint=document_scanner_outlined document_scanner_outlined=material/document_scanner_outlined.png f6ce.codepoint=document_scanner_rounded document_scanner_rounded=material/document_scanner_rounded.png e8ef.codepoint=document_scanner_sharp document_scanner_sharp=material/document_scanner_sharp.png e1f3.codepoint=domain domain=material/domain.png f04f2.codepoint=domain_add domain_add=material/domain_add.png f05ec.codepoint=domain_add_outlined domain_add_outlined=material/domain_add_outlined.png f030b.codepoint=domain_add_rounded domain_add_rounded=material/domain_add_rounded.png f03fe.codepoint=domain_add_sharp domain_add_sharp=material/domain_add_sharp.png e1f4.codepoint=domain_disabled domain_disabled=material/domain_disabled.png efe2.codepoint=domain_disabled_outlined domain_disabled_outlined=material/domain_disabled_outlined.png f6cf.codepoint=domain_disabled_rounded domain_disabled_rounded=material/domain_disabled_rounded.png e8f0.codepoint=domain_disabled_sharp domain_disabled_sharp=material/domain_disabled_sharp.png efe3.codepoint=domain_outlined domain_outlined=material/domain_outlined.png f6d0.codepoint=domain_rounded domain_rounded=material/domain_rounded.png e8f1.codepoint=domain_sharp domain_sharp=material/domain_sharp.png e1f5.codepoint=domain_verification domain_verification=material/domain_verification.png efe4.codepoint=domain_verification_outlined domain_verification_outlined=material/domain_verification_outlined.png f6d1.codepoint=domain_verification_rounded domain_verification_rounded=material/domain_verification_rounded.png e8f2.codepoint=domain_verification_sharp domain_verification_sharp=material/domain_verification_sharp.png e1f6.codepoint=done done=material/done.png e1f7.codepoint=done_all done_all=material/done_all.png efe5.codepoint=done_all_outlined done_all_outlined=material/done_all_outlined.png f6d2.codepoint=done_all_rounded done_all_rounded=material/done_all_rounded.png e8f3.codepoint=done_all_sharp done_all_sharp=material/done_all_sharp.png e1f8.codepoint=done_outline done_outline=material/done_outline.png efe6.codepoint=done_outline_outlined done_outline_outlined=material/done_outline_outlined.png f6d3.codepoint=done_outline_rounded done_outline_rounded=material/done_outline_rounded.png e8f4.codepoint=done_outline_sharp done_outline_sharp=material/done_outline_sharp.png efe7.codepoint=done_outlined done_outlined=material/done_outlined.png f6d4.codepoint=done_rounded done_rounded=material/done_rounded.png e8f5.codepoint=done_sharp done_sharp=material/done_sharp.png e1f9.codepoint=donut_large donut_large=material/donut_large.png efe8.codepoint=donut_large_outlined donut_large_outlined=material/donut_large_outlined.png f6d5.codepoint=donut_large_rounded donut_large_rounded=material/donut_large_rounded.png e8f6.codepoint=donut_large_sharp donut_large_sharp=material/donut_large_sharp.png e1fa.codepoint=donut_small donut_small=material/donut_small.png efe9.codepoint=donut_small_outlined donut_small_outlined=material/donut_small_outlined.png f6d6.codepoint=donut_small_rounded donut_small_rounded=material/donut_small_rounded.png e8f7.codepoint=donut_small_sharp donut_small_sharp=material/donut_small_sharp.png e1fb.codepoint=door_back_door door_back_door=material/door_back_door.png efea.codepoint=door_back_door_outlined door_back_door_outlined=material/door_back_door_outlined.png f6d7.codepoint=door_back_door_rounded door_back_door_rounded=material/door_back_door_rounded.png e8f8.codepoint=door_back_door_sharp door_back_door_sharp=material/door_back_door_sharp.png e1fc.codepoint=door_front_door door_front_door=material/door_front_door.png efeb.codepoint=door_front_door_outlined door_front_door_outlined=material/door_front_door_outlined.png f6d8.codepoint=door_front_door_rounded door_front_door_rounded=material/door_front_door_rounded.png e8f9.codepoint=door_front_door_sharp door_front_door_sharp=material/door_front_door_sharp.png e1fd.codepoint=door_sliding door_sliding=material/door_sliding.png efec.codepoint=door_sliding_outlined door_sliding_outlined=material/door_sliding_outlined.png f6d9.codepoint=door_sliding_rounded door_sliding_rounded=material/door_sliding_rounded.png e8fa.codepoint=door_sliding_sharp door_sliding_sharp=material/door_sliding_sharp.png e1fe.codepoint=doorbell doorbell=material/doorbell.png efed.codepoint=doorbell_outlined doorbell_outlined=material/doorbell_outlined.png f6da.codepoint=doorbell_rounded doorbell_rounded=material/doorbell_rounded.png e8fb.codepoint=doorbell_sharp doorbell_sharp=material/doorbell_sharp.png e1ff.codepoint=double_arrow double_arrow=material/double_arrow.png efee.codepoint=double_arrow_outlined double_arrow_outlined=material/double_arrow_outlined.png f6db.codepoint=double_arrow_rounded double_arrow_rounded=material/double_arrow_rounded.png e8fc.codepoint=double_arrow_sharp double_arrow_sharp=material/double_arrow_sharp.png e200.codepoint=downhill_skiing downhill_skiing=material/downhill_skiing.png efef.codepoint=downhill_skiing_outlined downhill_skiing_outlined=material/downhill_skiing_outlined.png f6dc.codepoint=downhill_skiing_rounded downhill_skiing_rounded=material/downhill_skiing_rounded.png e8fd.codepoint=downhill_skiing_sharp downhill_skiing_sharp=material/downhill_skiing_sharp.png e201.codepoint=download download=material/download.png e202.codepoint=download_done download_done=material/download_done.png eff0.codepoint=download_done_outlined download_done_outlined=material/download_done_outlined.png f6dd.codepoint=download_done_rounded download_done_rounded=material/download_done_rounded.png e8fe.codepoint=download_done_sharp download_done_sharp=material/download_done_sharp.png e203.codepoint=download_for_offline download_for_offline=material/download_for_offline.png eff1.codepoint=download_for_offline_outlined download_for_offline_outlined=material/download_for_offline_outlined.png f6de.codepoint=download_for_offline_rounded download_for_offline_rounded=material/download_for_offline_rounded.png e8ff.codepoint=download_for_offline_sharp download_for_offline_sharp=material/download_for_offline_sharp.png eff2.codepoint=download_outlined download_outlined=material/download_outlined.png f6df.codepoint=download_rounded download_rounded=material/download_rounded.png e900.codepoint=download_sharp download_sharp=material/download_sharp.png e204.codepoint=downloading downloading=material/downloading.png eff3.codepoint=downloading_outlined downloading_outlined=material/downloading_outlined.png f6e0.codepoint=downloading_rounded downloading_rounded=material/downloading_rounded.png e901.codepoint=downloading_sharp downloading_sharp=material/downloading_sharp.png e205.codepoint=drafts drafts=material/drafts.png eff4.codepoint=drafts_outlined drafts_outlined=material/drafts_outlined.png f6e1.codepoint=drafts_rounded drafts_rounded=material/drafts_rounded.png e902.codepoint=drafts_sharp drafts_sharp=material/drafts_sharp.png e206.codepoint=drag_handle drag_handle=material/drag_handle.png eff5.codepoint=drag_handle_outlined drag_handle_outlined=material/drag_handle_outlined.png f6e2.codepoint=drag_handle_rounded drag_handle_rounded=material/drag_handle_rounded.png e903.codepoint=drag_handle_sharp drag_handle_sharp=material/drag_handle_sharp.png e207.codepoint=drag_indicator drag_indicator=material/drag_indicator.png eff6.codepoint=drag_indicator_outlined drag_indicator_outlined=material/drag_indicator_outlined.png f6e3.codepoint=drag_indicator_rounded drag_indicator_rounded=material/drag_indicator_rounded.png e904.codepoint=drag_indicator_sharp drag_indicator_sharp=material/drag_indicator_sharp.png f04f3.codepoint=draw draw=material/draw.png f05ed.codepoint=draw_outlined draw_outlined=material/draw_outlined.png f030c.codepoint=draw_rounded draw_rounded=material/draw_rounded.png f03ff.codepoint=draw_sharp draw_sharp=material/draw_sharp.png e208.codepoint=drive_eta drive_eta=material/drive_eta.png eff7.codepoint=drive_eta_outlined drive_eta_outlined=material/drive_eta_outlined.png f6e4.codepoint=drive_eta_rounded drive_eta_rounded=material/drive_eta_rounded.png e905.codepoint=drive_eta_sharp drive_eta_sharp=material/drive_eta_sharp.png e209.codepoint=drive_file_move drive_file_move=material/drive_file_move.png e20a.codepoint=drive_file_move_outline drive_file_move_outline=material/drive_file_move_outline.png eff8.codepoint=drive_file_move_outlined drive_file_move_outlined=material/drive_file_move_outlined.png f6e5.codepoint=drive_file_move_rounded drive_file_move_rounded=material/drive_file_move_rounded.png f04f4.codepoint=drive_file_move_rtl drive_file_move_rtl=material/drive_file_move_rtl.png f05ee.codepoint=drive_file_move_rtl_outlined drive_file_move_rtl_outlined=material/drive_file_move_rtl_outlined.png f030d.codepoint=drive_file_move_rtl_rounded drive_file_move_rtl_rounded=material/drive_file_move_rtl_rounded.png f0400.codepoint=drive_file_move_rtl_sharp drive_file_move_rtl_sharp=material/drive_file_move_rtl_sharp.png e906.codepoint=drive_file_move_sharp drive_file_move_sharp=material/drive_file_move_sharp.png e20b.codepoint=drive_file_rename_outline drive_file_rename_outline=material/drive_file_rename_outline.png eff9.codepoint=drive_file_rename_outline_outlined drive_file_rename_outline_outlined=material/drive_file_rename_outline_outlined.png f6e6.codepoint=drive_file_rename_outline_rounded drive_file_rename_outline_rounded=material/drive_file_rename_outline_rounded.png e907.codepoint=drive_file_rename_outline_sharp drive_file_rename_outline_sharp=material/drive_file_rename_outline_sharp.png e20c.codepoint=drive_folder_upload drive_folder_upload=material/drive_folder_upload.png effa.codepoint=drive_folder_upload_outlined drive_folder_upload_outlined=material/drive_folder_upload_outlined.png f6e7.codepoint=drive_folder_upload_rounded drive_folder_upload_rounded=material/drive_folder_upload_rounded.png e908.codepoint=drive_folder_upload_sharp drive_folder_upload_sharp=material/drive_folder_upload_sharp.png e20d.codepoint=dry dry=material/dry.png e20e.codepoint=dry_cleaning dry_cleaning=material/dry_cleaning.png effb.codepoint=dry_cleaning_outlined dry_cleaning_outlined=material/dry_cleaning_outlined.png f6e8.codepoint=dry_cleaning_rounded dry_cleaning_rounded=material/dry_cleaning_rounded.png e909.codepoint=dry_cleaning_sharp dry_cleaning_sharp=material/dry_cleaning_sharp.png effc.codepoint=dry_outlined dry_outlined=material/dry_outlined.png f6e9.codepoint=dry_rounded dry_rounded=material/dry_rounded.png e90a.codepoint=dry_sharp dry_sharp=material/dry_sharp.png e20f.codepoint=duo duo=material/duo.png effd.codepoint=duo_outlined duo_outlined=material/duo_outlined.png f6ea.codepoint=duo_rounded duo_rounded=material/duo_rounded.png e90b.codepoint=duo_sharp duo_sharp=material/duo_sharp.png e210.codepoint=dvr dvr=material/dvr.png effe.codepoint=dvr_outlined dvr_outlined=material/dvr_outlined.png f6eb.codepoint=dvr_rounded dvr_rounded=material/dvr_rounded.png e90c.codepoint=dvr_sharp dvr_sharp=material/dvr_sharp.png e211.codepoint=dynamic_feed dynamic_feed=material/dynamic_feed.png efff.codepoint=dynamic_feed_outlined dynamic_feed_outlined=material/dynamic_feed_outlined.png f6ec.codepoint=dynamic_feed_rounded dynamic_feed_rounded=material/dynamic_feed_rounded.png e90d.codepoint=dynamic_feed_sharp dynamic_feed_sharp=material/dynamic_feed_sharp.png e212.codepoint=dynamic_form dynamic_form=material/dynamic_form.png f000.codepoint=dynamic_form_outlined dynamic_form_outlined=material/dynamic_form_outlined.png f6ed.codepoint=dynamic_form_rounded dynamic_form_rounded=material/dynamic_form_rounded.png e90e.codepoint=dynamic_form_sharp dynamic_form_sharp=material/dynamic_form_sharp.png e213.codepoint=e_mobiledata e_mobiledata=material/e_mobiledata.png f001.codepoint=e_mobiledata_outlined e_mobiledata_outlined=material/e_mobiledata_outlined.png f6ee.codepoint=e_mobiledata_rounded e_mobiledata_rounded=material/e_mobiledata_rounded.png e90f.codepoint=e_mobiledata_sharp e_mobiledata_sharp=material/e_mobiledata_sharp.png e214.codepoint=earbuds earbuds=material/earbuds.png e215.codepoint=earbuds_battery earbuds_battery=material/earbuds_battery.png f002.codepoint=earbuds_battery_outlined earbuds_battery_outlined=material/earbuds_battery_outlined.png f6ef.codepoint=earbuds_battery_rounded earbuds_battery_rounded=material/earbuds_battery_rounded.png e910.codepoint=earbuds_battery_sharp earbuds_battery_sharp=material/earbuds_battery_sharp.png f003.codepoint=earbuds_outlined earbuds_outlined=material/earbuds_outlined.png f6f0.codepoint=earbuds_rounded earbuds_rounded=material/earbuds_rounded.png e911.codepoint=earbuds_sharp earbuds_sharp=material/earbuds_sharp.png e216.codepoint=east east=material/east.png f004.codepoint=east_outlined east_outlined=material/east_outlined.png f6f1.codepoint=east_rounded east_rounded=material/east_rounded.png e912.codepoint=east_sharp east_sharp=material/east_sharp.png e217.codepoint=eco eco=material/eco.png f005.codepoint=eco_outlined eco_outlined=material/eco_outlined.png f6f2.codepoint=eco_rounded eco_rounded=material/eco_rounded.png e913.codepoint=eco_sharp eco_sharp=material/eco_sharp.png e218.codepoint=edgesensor_high edgesensor_high=material/edgesensor_high.png f006.codepoint=edgesensor_high_outlined edgesensor_high_outlined=material/edgesensor_high_outlined.png f6f3.codepoint=edgesensor_high_rounded edgesensor_high_rounded=material/edgesensor_high_rounded.png e914.codepoint=edgesensor_high_sharp edgesensor_high_sharp=material/edgesensor_high_sharp.png e219.codepoint=edgesensor_low edgesensor_low=material/edgesensor_low.png f007.codepoint=edgesensor_low_outlined edgesensor_low_outlined=material/edgesensor_low_outlined.png f6f4.codepoint=edgesensor_low_rounded edgesensor_low_rounded=material/edgesensor_low_rounded.png e915.codepoint=edgesensor_low_sharp edgesensor_low_sharp=material/edgesensor_low_sharp.png e21a.codepoint=edit edit=material/edit.png e21b.codepoint=edit_attributes edit_attributes=material/edit_attributes.png f008.codepoint=edit_attributes_outlined edit_attributes_outlined=material/edit_attributes_outlined.png f6f5.codepoint=edit_attributes_rounded edit_attributes_rounded=material/edit_attributes_rounded.png e916.codepoint=edit_attributes_sharp edit_attributes_sharp=material/edit_attributes_sharp.png f04f5.codepoint=edit_calendar edit_calendar=material/edit_calendar.png f05ef.codepoint=edit_calendar_outlined edit_calendar_outlined=material/edit_calendar_outlined.png f030e.codepoint=edit_calendar_rounded edit_calendar_rounded=material/edit_calendar_rounded.png f0401.codepoint=edit_calendar_sharp edit_calendar_sharp=material/edit_calendar_sharp.png e21c.codepoint=edit_location edit_location=material/edit_location.png e21d.codepoint=edit_location_alt edit_location_alt=material/edit_location_alt.png f009.codepoint=edit_location_alt_outlined edit_location_alt_outlined=material/edit_location_alt_outlined.png f6f6.codepoint=edit_location_alt_rounded edit_location_alt_rounded=material/edit_location_alt_rounded.png e917.codepoint=edit_location_alt_sharp edit_location_alt_sharp=material/edit_location_alt_sharp.png f00a.codepoint=edit_location_outlined edit_location_outlined=material/edit_location_outlined.png f6f7.codepoint=edit_location_rounded edit_location_rounded=material/edit_location_rounded.png e918.codepoint=edit_location_sharp edit_location_sharp=material/edit_location_sharp.png f04f6.codepoint=edit_note edit_note=material/edit_note.png f05f0.codepoint=edit_note_outlined edit_note_outlined=material/edit_note_outlined.png f030f.codepoint=edit_note_rounded edit_note_rounded=material/edit_note_rounded.png f0402.codepoint=edit_note_sharp edit_note_sharp=material/edit_note_sharp.png e21e.codepoint=edit_notifications edit_notifications=material/edit_notifications.png f00b.codepoint=edit_notifications_outlined edit_notifications_outlined=material/edit_notifications_outlined.png f6f8.codepoint=edit_notifications_rounded edit_notifications_rounded=material/edit_notifications_rounded.png e919.codepoint=edit_notifications_sharp edit_notifications_sharp=material/edit_notifications_sharp.png e21f.codepoint=edit_off edit_off=material/edit_off.png f00c.codepoint=edit_off_outlined edit_off_outlined=material/edit_off_outlined.png f6f9.codepoint=edit_off_rounded edit_off_rounded=material/edit_off_rounded.png e91a.codepoint=edit_off_sharp edit_off_sharp=material/edit_off_sharp.png f00d.codepoint=edit_outlined edit_outlined=material/edit_outlined.png e220.codepoint=edit_road edit_road=material/edit_road.png f00e.codepoint=edit_road_outlined edit_road_outlined=material/edit_road_outlined.png f6fa.codepoint=edit_road_rounded edit_road_rounded=material/edit_road_rounded.png e91b.codepoint=edit_road_sharp edit_road_sharp=material/edit_road_sharp.png f6fb.codepoint=edit_rounded edit_rounded=material/edit_rounded.png e91c.codepoint=edit_sharp edit_sharp=material/edit_sharp.png f04f8.codepoint=egg egg=material/egg.png f04f7.codepoint=egg_alt egg_alt=material/egg_alt.png f05f1.codepoint=egg_alt_outlined egg_alt_outlined=material/egg_alt_outlined.png f0310.codepoint=egg_alt_rounded egg_alt_rounded=material/egg_alt_rounded.png f0403.codepoint=egg_alt_sharp egg_alt_sharp=material/egg_alt_sharp.png f05f2.codepoint=egg_outlined egg_outlined=material/egg_outlined.png f0311.codepoint=egg_rounded egg_rounded=material/egg_rounded.png f0404.codepoint=egg_sharp egg_sharp=material/egg_sharp.png e031.codepoint=eight_k eight_k=material/eight_k.png ee23.codepoint=eight_k_outlined eight_k_outlined=material/eight_k_outlined.png e032.codepoint=eight_k_plus eight_k_plus=material/eight_k_plus.png ee24.codepoint=eight_k_plus_outlined eight_k_plus_outlined=material/eight_k_plus_outlined.png f510.codepoint=eight_k_plus_rounded eight_k_plus_rounded=material/eight_k_plus_rounded.png e731.codepoint=eight_k_plus_sharp eight_k_plus_sharp=material/eight_k_plus_sharp.png f511.codepoint=eight_k_rounded eight_k_rounded=material/eight_k_rounded.png e732.codepoint=eight_k_sharp eight_k_sharp=material/eight_k_sharp.png e033.codepoint=eight_mp eight_mp=material/eight_mp.png ee25.codepoint=eight_mp_outlined eight_mp_outlined=material/eight_mp_outlined.png f512.codepoint=eight_mp_rounded eight_mp_rounded=material/eight_mp_rounded.png e733.codepoint=eight_mp_sharp eight_mp_sharp=material/eight_mp_sharp.png e009.codepoint=eighteen_mp eighteen_mp=material/eighteen_mp.png edfb.codepoint=eighteen_mp_outlined eighteen_mp_outlined=material/eighteen_mp_outlined.png f4e8.codepoint=eighteen_mp_rounded eighteen_mp_rounded=material/eighteen_mp_rounded.png e709.codepoint=eighteen_mp_sharp eighteen_mp_sharp=material/eighteen_mp_sharp.png f0784.codepoint=eighteen_up_rating eighteen_up_rating=material/eighteen_up_rating.png f06d4.codepoint=eighteen_up_rating_outlined eighteen_up_rating_outlined=material/eighteen_up_rating_outlined.png f07dc.codepoint=eighteen_up_rating_rounded eighteen_up_rating_rounded=material/eighteen_up_rating_rounded.png f072c.codepoint=eighteen_up_rating_sharp eighteen_up_rating_sharp=material/eighteen_up_rating_sharp.png e221.codepoint=eject eject=material/eject.png f00f.codepoint=eject_outlined eject_outlined=material/eject_outlined.png f6fc.codepoint=eject_rounded eject_rounded=material/eject_rounded.png e91d.codepoint=eject_sharp eject_sharp=material/eject_sharp.png e222.codepoint=elderly elderly=material/elderly.png f010.codepoint=elderly_outlined elderly_outlined=material/elderly_outlined.png f6fd.codepoint=elderly_rounded elderly_rounded=material/elderly_rounded.png e91e.codepoint=elderly_sharp elderly_sharp=material/elderly_sharp.png f04f9.codepoint=elderly_woman elderly_woman=material/elderly_woman.png f05f3.codepoint=elderly_woman_outlined elderly_woman_outlined=material/elderly_woman_outlined.png f0312.codepoint=elderly_woman_rounded elderly_woman_rounded=material/elderly_woman_rounded.png f0405.codepoint=elderly_woman_sharp elderly_woman_sharp=material/elderly_woman_sharp.png e223.codepoint=electric_bike electric_bike=material/electric_bike.png f011.codepoint=electric_bike_outlined electric_bike_outlined=material/electric_bike_outlined.png f6fe.codepoint=electric_bike_rounded electric_bike_rounded=material/electric_bike_rounded.png e91f.codepoint=electric_bike_sharp electric_bike_sharp=material/electric_bike_sharp.png f079c.codepoint=electric_bolt electric_bolt=material/electric_bolt.png f06ec.codepoint=electric_bolt_outlined electric_bolt_outlined=material/electric_bolt_outlined.png f07f4.codepoint=electric_bolt_rounded electric_bolt_rounded=material/electric_bolt_rounded.png f0744.codepoint=electric_bolt_sharp electric_bolt_sharp=material/electric_bolt_sharp.png e224.codepoint=electric_car electric_car=material/electric_car.png f012.codepoint=electric_car_outlined electric_car_outlined=material/electric_car_outlined.png f6ff.codepoint=electric_car_rounded electric_car_rounded=material/electric_car_rounded.png e920.codepoint=electric_car_sharp electric_car_sharp=material/electric_car_sharp.png f079d.codepoint=electric_meter electric_meter=material/electric_meter.png f06ed.codepoint=electric_meter_outlined electric_meter_outlined=material/electric_meter_outlined.png f07f5.codepoint=electric_meter_rounded electric_meter_rounded=material/electric_meter_rounded.png f0745.codepoint=electric_meter_sharp electric_meter_sharp=material/electric_meter_sharp.png e225.codepoint=electric_moped electric_moped=material/electric_moped.png f013.codepoint=electric_moped_outlined electric_moped_outlined=material/electric_moped_outlined.png f700.codepoint=electric_moped_rounded electric_moped_rounded=material/electric_moped_rounded.png e921.codepoint=electric_moped_sharp electric_moped_sharp=material/electric_moped_sharp.png e226.codepoint=electric_rickshaw electric_rickshaw=material/electric_rickshaw.png f014.codepoint=electric_rickshaw_outlined electric_rickshaw_outlined=material/electric_rickshaw_outlined.png f701.codepoint=electric_rickshaw_rounded electric_rickshaw_rounded=material/electric_rickshaw_rounded.png e922.codepoint=electric_rickshaw_sharp electric_rickshaw_sharp=material/electric_rickshaw_sharp.png e227.codepoint=electric_scooter electric_scooter=material/electric_scooter.png f015.codepoint=electric_scooter_outlined electric_scooter_outlined=material/electric_scooter_outlined.png f702.codepoint=electric_scooter_rounded electric_scooter_rounded=material/electric_scooter_rounded.png e923.codepoint=electric_scooter_sharp electric_scooter_sharp=material/electric_scooter_sharp.png e228.codepoint=electrical_services electrical_services=material/electrical_services.png f016.codepoint=electrical_services_outlined electrical_services_outlined=material/electrical_services_outlined.png f703.codepoint=electrical_services_rounded electrical_services_rounded=material/electrical_services_rounded.png e924.codepoint=electrical_services_sharp electrical_services_sharp=material/electrical_services_sharp.png e229.codepoint=elevator elevator=material/elevator.png f017.codepoint=elevator_outlined elevator_outlined=material/elevator_outlined.png f704.codepoint=elevator_rounded elevator_rounded=material/elevator_rounded.png e925.codepoint=elevator_sharp elevator_sharp=material/elevator_sharp.png e002.codepoint=eleven_mp eleven_mp=material/eleven_mp.png edf4.codepoint=eleven_mp_outlined eleven_mp_outlined=material/eleven_mp_outlined.png f4e1.codepoint=eleven_mp_rounded eleven_mp_rounded=material/eleven_mp_rounded.png e702.codepoint=eleven_mp_sharp eleven_mp_sharp=material/eleven_mp_sharp.png e22a.codepoint=email email=material/email.png f018.codepoint=email_outlined email_outlined=material/email_outlined.png f705.codepoint=email_rounded email_rounded=material/email_rounded.png e926.codepoint=email_sharp email_sharp=material/email_sharp.png f04fa.codepoint=emergency emergency=material/emergency.png f05f4.codepoint=emergency_outlined emergency_outlined=material/emergency_outlined.png f079e.codepoint=emergency_recording emergency_recording=material/emergency_recording.png f06ee.codepoint=emergency_recording_outlined emergency_recording_outlined=material/emergency_recording_outlined.png f07f6.codepoint=emergency_recording_rounded emergency_recording_rounded=material/emergency_recording_rounded.png f0746.codepoint=emergency_recording_sharp emergency_recording_sharp=material/emergency_recording_sharp.png f0313.codepoint=emergency_rounded emergency_rounded=material/emergency_rounded.png f079f.codepoint=emergency_share emergency_share=material/emergency_share.png f06ef.codepoint=emergency_share_outlined emergency_share_outlined=material/emergency_share_outlined.png f07f7.codepoint=emergency_share_rounded emergency_share_rounded=material/emergency_share_rounded.png f0747.codepoint=emergency_share_sharp emergency_share_sharp=material/emergency_share_sharp.png f0406.codepoint=emergency_sharp emergency_sharp=material/emergency_sharp.png e22b.codepoint=emoji_emotions emoji_emotions=material/emoji_emotions.png f019.codepoint=emoji_emotions_outlined emoji_emotions_outlined=material/emoji_emotions_outlined.png f706.codepoint=emoji_emotions_rounded emoji_emotions_rounded=material/emoji_emotions_rounded.png e927.codepoint=emoji_emotions_sharp emoji_emotions_sharp=material/emoji_emotions_sharp.png e22c.codepoint=emoji_events emoji_events=material/emoji_events.png f01a.codepoint=emoji_events_outlined emoji_events_outlined=material/emoji_events_outlined.png f707.codepoint=emoji_events_rounded emoji_events_rounded=material/emoji_events_rounded.png e928.codepoint=emoji_events_sharp emoji_events_sharp=material/emoji_events_sharp.png e22d.codepoint=emoji_flags emoji_flags=material/emoji_flags.png f01b.codepoint=emoji_flags_outlined emoji_flags_outlined=material/emoji_flags_outlined.png f708.codepoint=emoji_flags_rounded emoji_flags_rounded=material/emoji_flags_rounded.png e929.codepoint=emoji_flags_sharp emoji_flags_sharp=material/emoji_flags_sharp.png e22e.codepoint=emoji_food_beverage emoji_food_beverage=material/emoji_food_beverage.png f01c.codepoint=emoji_food_beverage_outlined emoji_food_beverage_outlined=material/emoji_food_beverage_outlined.png f709.codepoint=emoji_food_beverage_rounded emoji_food_beverage_rounded=material/emoji_food_beverage_rounded.png e92a.codepoint=emoji_food_beverage_sharp emoji_food_beverage_sharp=material/emoji_food_beverage_sharp.png e22f.codepoint=emoji_nature emoji_nature=material/emoji_nature.png f01d.codepoint=emoji_nature_outlined emoji_nature_outlined=material/emoji_nature_outlined.png f70a.codepoint=emoji_nature_rounded emoji_nature_rounded=material/emoji_nature_rounded.png e92b.codepoint=emoji_nature_sharp emoji_nature_sharp=material/emoji_nature_sharp.png e230.codepoint=emoji_objects emoji_objects=material/emoji_objects.png f01e.codepoint=emoji_objects_outlined emoji_objects_outlined=material/emoji_objects_outlined.png f70b.codepoint=emoji_objects_rounded emoji_objects_rounded=material/emoji_objects_rounded.png e92c.codepoint=emoji_objects_sharp emoji_objects_sharp=material/emoji_objects_sharp.png e231.codepoint=emoji_people emoji_people=material/emoji_people.png f01f.codepoint=emoji_people_outlined emoji_people_outlined=material/emoji_people_outlined.png f70c.codepoint=emoji_people_rounded emoji_people_rounded=material/emoji_people_rounded.png e92d.codepoint=emoji_people_sharp emoji_people_sharp=material/emoji_people_sharp.png e232.codepoint=emoji_symbols emoji_symbols=material/emoji_symbols.png f020.codepoint=emoji_symbols_outlined emoji_symbols_outlined=material/emoji_symbols_outlined.png f70d.codepoint=emoji_symbols_rounded emoji_symbols_rounded=material/emoji_symbols_rounded.png e92e.codepoint=emoji_symbols_sharp emoji_symbols_sharp=material/emoji_symbols_sharp.png e233.codepoint=emoji_transportation emoji_transportation=material/emoji_transportation.png f021.codepoint=emoji_transportation_outlined emoji_transportation_outlined=material/emoji_transportation_outlined.png f70e.codepoint=emoji_transportation_rounded emoji_transportation_rounded=material/emoji_transportation_rounded.png e92f.codepoint=emoji_transportation_sharp emoji_transportation_sharp=material/emoji_transportation_sharp.png f07a0.codepoint=energy_savings_leaf energy_savings_leaf=material/energy_savings_leaf.png f06f0.codepoint=energy_savings_leaf_outlined energy_savings_leaf_outlined=material/energy_savings_leaf_outlined.png f07f8.codepoint=energy_savings_leaf_rounded energy_savings_leaf_rounded=material/energy_savings_leaf_rounded.png f0748.codepoint=energy_savings_leaf_sharp energy_savings_leaf_sharp=material/energy_savings_leaf_sharp.png e234.codepoint=engineering engineering=material/engineering.png f022.codepoint=engineering_outlined engineering_outlined=material/engineering_outlined.png f70f.codepoint=engineering_rounded engineering_rounded=material/engineering_rounded.png e930.codepoint=engineering_sharp engineering_sharp=material/engineering_sharp.png # e131.codepoint=enhance_photo_translate enhance_photo_translate=material/enhance_photo_translate.png # ef1f.codepoint=enhance_photo_translate_outlined enhance_photo_translate_outlined=material/enhance_photo_translate_outlined.png # f60c.codepoint=enhance_photo_translate_rounded enhance_photo_translate_rounded=material/enhance_photo_translate_rounded.png # e82d.codepoint=enhance_photo_translate_sharp enhance_photo_translate_sharp=material/enhance_photo_translate_sharp.png e235.codepoint=enhanced_encryption enhanced_encryption=material/enhanced_encryption.png f023.codepoint=enhanced_encryption_outlined enhanced_encryption_outlined=material/enhanced_encryption_outlined.png f710.codepoint=enhanced_encryption_rounded enhanced_encryption_rounded=material/enhanced_encryption_rounded.png e931.codepoint=enhanced_encryption_sharp enhanced_encryption_sharp=material/enhanced_encryption_sharp.png e236.codepoint=equalizer equalizer=material/equalizer.png f024.codepoint=equalizer_outlined equalizer_outlined=material/equalizer_outlined.png f711.codepoint=equalizer_rounded equalizer_rounded=material/equalizer_rounded.png e932.codepoint=equalizer_sharp equalizer_sharp=material/equalizer_sharp.png e237.codepoint=error error=material/error.png e238.codepoint=error_outline error_outline=material/error_outline.png f025.codepoint=error_outline_outlined error_outline_outlined=material/error_outline_outlined.png f712.codepoint=error_outline_rounded error_outline_rounded=material/error_outline_rounded.png e933.codepoint=error_outline_sharp error_outline_sharp=material/error_outline_sharp.png f026.codepoint=error_outlined error_outlined=material/error_outlined.png f713.codepoint=error_rounded error_rounded=material/error_rounded.png e934.codepoint=error_sharp error_sharp=material/error_sharp.png e239.codepoint=escalator escalator=material/escalator.png f027.codepoint=escalator_outlined escalator_outlined=material/escalator_outlined.png f714.codepoint=escalator_rounded escalator_rounded=material/escalator_rounded.png e935.codepoint=escalator_sharp escalator_sharp=material/escalator_sharp.png e23a.codepoint=escalator_warning escalator_warning=material/escalator_warning.png f028.codepoint=escalator_warning_outlined escalator_warning_outlined=material/escalator_warning_outlined.png f715.codepoint=escalator_warning_rounded escalator_warning_rounded=material/escalator_warning_rounded.png e936.codepoint=escalator_warning_sharp escalator_warning_sharp=material/escalator_warning_sharp.png e23b.codepoint=euro euro=material/euro.png f029.codepoint=euro_outlined euro_outlined=material/euro_outlined.png f716.codepoint=euro_rounded euro_rounded=material/euro_rounded.png e937.codepoint=euro_sharp euro_sharp=material/euro_sharp.png e23c.codepoint=euro_symbol euro_symbol=material/euro_symbol.png f02a.codepoint=euro_symbol_outlined euro_symbol_outlined=material/euro_symbol_outlined.png f717.codepoint=euro_symbol_rounded euro_symbol_rounded=material/euro_symbol_rounded.png e938.codepoint=euro_symbol_sharp euro_symbol_sharp=material/euro_symbol_sharp.png e23d.codepoint=ev_station ev_station=material/ev_station.png f02b.codepoint=ev_station_outlined ev_station_outlined=material/ev_station_outlined.png f718.codepoint=ev_station_rounded ev_station_rounded=material/ev_station_rounded.png e939.codepoint=ev_station_sharp ev_station_sharp=material/ev_station_sharp.png e23e.codepoint=event event=material/event.png e23f.codepoint=event_available event_available=material/event_available.png f02c.codepoint=event_available_outlined event_available_outlined=material/event_available_outlined.png f719.codepoint=event_available_rounded event_available_rounded=material/event_available_rounded.png e93a.codepoint=event_available_sharp event_available_sharp=material/event_available_sharp.png e240.codepoint=event_busy event_busy=material/event_busy.png f02d.codepoint=event_busy_outlined event_busy_outlined=material/event_busy_outlined.png f71a.codepoint=event_busy_rounded event_busy_rounded=material/event_busy_rounded.png e93b.codepoint=event_busy_sharp event_busy_sharp=material/event_busy_sharp.png e241.codepoint=event_note event_note=material/event_note.png f02e.codepoint=event_note_outlined event_note_outlined=material/event_note_outlined.png f71b.codepoint=event_note_rounded event_note_rounded=material/event_note_rounded.png e93c.codepoint=event_note_sharp event_note_sharp=material/event_note_sharp.png f02f.codepoint=event_outlined event_outlined=material/event_outlined.png f04fb.codepoint=event_repeat event_repeat=material/event_repeat.png f05f5.codepoint=event_repeat_outlined event_repeat_outlined=material/event_repeat_outlined.png f0314.codepoint=event_repeat_rounded event_repeat_rounded=material/event_repeat_rounded.png f0407.codepoint=event_repeat_sharp event_repeat_sharp=material/event_repeat_sharp.png f71c.codepoint=event_rounded event_rounded=material/event_rounded.png e242.codepoint=event_seat event_seat=material/event_seat.png f030.codepoint=event_seat_outlined event_seat_outlined=material/event_seat_outlined.png f71d.codepoint=event_seat_rounded event_seat_rounded=material/event_seat_rounded.png e93d.codepoint=event_seat_sharp event_seat_sharp=material/event_seat_sharp.png e93e.codepoint=event_sharp event_sharp=material/event_sharp.png e243.codepoint=exit_to_app exit_to_app=material/exit_to_app.png f031.codepoint=exit_to_app_outlined exit_to_app_outlined=material/exit_to_app_outlined.png f71e.codepoint=exit_to_app_rounded exit_to_app_rounded=material/exit_to_app_rounded.png e93f.codepoint=exit_to_app_sharp exit_to_app_sharp=material/exit_to_app_sharp.png e244.codepoint=expand expand=material/expand.png f04fc.codepoint=expand_circle_down expand_circle_down=material/expand_circle_down.png f05f6.codepoint=expand_circle_down_outlined expand_circle_down_outlined=material/expand_circle_down_outlined.png f0315.codepoint=expand_circle_down_rounded expand_circle_down_rounded=material/expand_circle_down_rounded.png f0408.codepoint=expand_circle_down_sharp expand_circle_down_sharp=material/expand_circle_down_sharp.png e245.codepoint=expand_less expand_less=material/expand_less.png f032.codepoint=expand_less_outlined expand_less_outlined=material/expand_less_outlined.png f71f.codepoint=expand_less_rounded expand_less_rounded=material/expand_less_rounded.png e940.codepoint=expand_less_sharp expand_less_sharp=material/expand_less_sharp.png e246.codepoint=expand_more expand_more=material/expand_more.png f033.codepoint=expand_more_outlined expand_more_outlined=material/expand_more_outlined.png f720.codepoint=expand_more_rounded expand_more_rounded=material/expand_more_rounded.png e941.codepoint=expand_more_sharp expand_more_sharp=material/expand_more_sharp.png f034.codepoint=expand_outlined expand_outlined=material/expand_outlined.png f721.codepoint=expand_rounded expand_rounded=material/expand_rounded.png e942.codepoint=expand_sharp expand_sharp=material/expand_sharp.png e247.codepoint=explicit explicit=material/explicit.png f035.codepoint=explicit_outlined explicit_outlined=material/explicit_outlined.png f722.codepoint=explicit_rounded explicit_rounded=material/explicit_rounded.png e943.codepoint=explicit_sharp explicit_sharp=material/explicit_sharp.png e248.codepoint=explore explore=material/explore.png e249.codepoint=explore_off explore_off=material/explore_off.png f036.codepoint=explore_off_outlined explore_off_outlined=material/explore_off_outlined.png f723.codepoint=explore_off_rounded explore_off_rounded=material/explore_off_rounded.png e944.codepoint=explore_off_sharp explore_off_sharp=material/explore_off_sharp.png f037.codepoint=explore_outlined explore_outlined=material/explore_outlined.png f724.codepoint=explore_rounded explore_rounded=material/explore_rounded.png e945.codepoint=explore_sharp explore_sharp=material/explore_sharp.png e24a.codepoint=exposure exposure=material/exposure.png e24b.codepoint=exposure_minus_1 exposure_minus_1=material/exposure_minus_1.png f038.codepoint=exposure_minus_1_outlined exposure_minus_1_outlined=material/exposure_minus_1_outlined.png f725.codepoint=exposure_minus_1_rounded exposure_minus_1_rounded=material/exposure_minus_1_rounded.png e946.codepoint=exposure_minus_1_sharp exposure_minus_1_sharp=material/exposure_minus_1_sharp.png e24c.codepoint=exposure_minus_2 exposure_minus_2=material/exposure_minus_2.png f039.codepoint=exposure_minus_2_outlined exposure_minus_2_outlined=material/exposure_minus_2_outlined.png f726.codepoint=exposure_minus_2_rounded exposure_minus_2_rounded=material/exposure_minus_2_rounded.png e947.codepoint=exposure_minus_2_sharp exposure_minus_2_sharp=material/exposure_minus_2_sharp.png # e24b.codepoint=exposure_neg_1 exposure_neg_1=material/exposure_neg_1.png # f038.codepoint=exposure_neg_1_outlined exposure_neg_1_outlined=material/exposure_neg_1_outlined.png # f725.codepoint=exposure_neg_1_rounded exposure_neg_1_rounded=material/exposure_neg_1_rounded.png # e946.codepoint=exposure_neg_1_sharp exposure_neg_1_sharp=material/exposure_neg_1_sharp.png # e24c.codepoint=exposure_neg_2 exposure_neg_2=material/exposure_neg_2.png # f039.codepoint=exposure_neg_2_outlined exposure_neg_2_outlined=material/exposure_neg_2_outlined.png # f726.codepoint=exposure_neg_2_rounded exposure_neg_2_rounded=material/exposure_neg_2_rounded.png # e947.codepoint=exposure_neg_2_sharp exposure_neg_2_sharp=material/exposure_neg_2_sharp.png f03a.codepoint=exposure_outlined exposure_outlined=material/exposure_outlined.png e24d.codepoint=exposure_plus_1 exposure_plus_1=material/exposure_plus_1.png f03b.codepoint=exposure_plus_1_outlined exposure_plus_1_outlined=material/exposure_plus_1_outlined.png f727.codepoint=exposure_plus_1_rounded exposure_plus_1_rounded=material/exposure_plus_1_rounded.png e948.codepoint=exposure_plus_1_sharp exposure_plus_1_sharp=material/exposure_plus_1_sharp.png e24e.codepoint=exposure_plus_2 exposure_plus_2=material/exposure_plus_2.png f03c.codepoint=exposure_plus_2_outlined exposure_plus_2_outlined=material/exposure_plus_2_outlined.png f728.codepoint=exposure_plus_2_rounded exposure_plus_2_rounded=material/exposure_plus_2_rounded.png e949.codepoint=exposure_plus_2_sharp exposure_plus_2_sharp=material/exposure_plus_2_sharp.png f729.codepoint=exposure_rounded exposure_rounded=material/exposure_rounded.png e94a.codepoint=exposure_sharp exposure_sharp=material/exposure_sharp.png e24f.codepoint=exposure_zero exposure_zero=material/exposure_zero.png f03d.codepoint=exposure_zero_outlined exposure_zero_outlined=material/exposure_zero_outlined.png f72a.codepoint=exposure_zero_rounded exposure_zero_rounded=material/exposure_zero_rounded.png e94b.codepoint=exposure_zero_sharp exposure_zero_sharp=material/exposure_zero_sharp.png e250.codepoint=extension extension=material/extension.png e251.codepoint=extension_off extension_off=material/extension_off.png f03e.codepoint=extension_off_outlined extension_off_outlined=material/extension_off_outlined.png f72b.codepoint=extension_off_rounded extension_off_rounded=material/extension_off_rounded.png e94c.codepoint=extension_off_sharp extension_off_sharp=material/extension_off_sharp.png f03f.codepoint=extension_outlined extension_outlined=material/extension_outlined.png f72c.codepoint=extension_rounded extension_rounded=material/extension_rounded.png e94d.codepoint=extension_sharp extension_sharp=material/extension_sharp.png e252.codepoint=face face=material/face.png f040.codepoint=face_outlined face_outlined=material/face_outlined.png e253.codepoint=face_retouching_natural face_retouching_natural=material/face_retouching_natural.png f041.codepoint=face_retouching_natural_outlined face_retouching_natural_outlined=material/face_retouching_natural_outlined.png f72d.codepoint=face_retouching_natural_rounded face_retouching_natural_rounded=material/face_retouching_natural_rounded.png e94e.codepoint=face_retouching_natural_sharp face_retouching_natural_sharp=material/face_retouching_natural_sharp.png e254.codepoint=face_retouching_off face_retouching_off=material/face_retouching_off.png f042.codepoint=face_retouching_off_outlined face_retouching_off_outlined=material/face_retouching_off_outlined.png f72e.codepoint=face_retouching_off_rounded face_retouching_off_rounded=material/face_retouching_off_rounded.png e94f.codepoint=face_retouching_off_sharp face_retouching_off_sharp=material/face_retouching_off_sharp.png f72f.codepoint=face_rounded face_rounded=material/face_rounded.png e950.codepoint=face_sharp face_sharp=material/face_sharp.png f043.codepoint=face_unlock_outlined face_unlock_outlined=material/face_unlock_outlined.png f730.codepoint=face_unlock_rounded face_unlock_rounded=material/face_unlock_rounded.png e951.codepoint=face_unlock_sharp face_unlock_sharp=material/face_unlock_sharp.png e255.codepoint=facebook facebook=material/facebook.png f044.codepoint=facebook_outlined facebook_outlined=material/facebook_outlined.png f731.codepoint=facebook_rounded facebook_rounded=material/facebook_rounded.png e952.codepoint=facebook_sharp facebook_sharp=material/facebook_sharp.png e256.codepoint=fact_check fact_check=material/fact_check.png f045.codepoint=fact_check_outlined fact_check_outlined=material/fact_check_outlined.png f732.codepoint=fact_check_rounded fact_check_rounded=material/fact_check_rounded.png e953.codepoint=fact_check_sharp fact_check_sharp=material/fact_check_sharp.png f04fd.codepoint=factory factory=material/factory.png f05f7.codepoint=factory_outlined factory_outlined=material/factory_outlined.png f0316.codepoint=factory_rounded factory_rounded=material/factory_rounded.png f0409.codepoint=factory_sharp factory_sharp=material/factory_sharp.png e257.codepoint=family_restroom family_restroom=material/family_restroom.png f046.codepoint=family_restroom_outlined family_restroom_outlined=material/family_restroom_outlined.png f733.codepoint=family_restroom_rounded family_restroom_rounded=material/family_restroom_rounded.png e954.codepoint=family_restroom_sharp family_restroom_sharp=material/family_restroom_sharp.png e258.codepoint=fast_forward fast_forward=material/fast_forward.png f047.codepoint=fast_forward_outlined fast_forward_outlined=material/fast_forward_outlined.png f734.codepoint=fast_forward_rounded fast_forward_rounded=material/fast_forward_rounded.png e955.codepoint=fast_forward_sharp fast_forward_sharp=material/fast_forward_sharp.png e259.codepoint=fast_rewind fast_rewind=material/fast_rewind.png f048.codepoint=fast_rewind_outlined fast_rewind_outlined=material/fast_rewind_outlined.png f735.codepoint=fast_rewind_rounded fast_rewind_rounded=material/fast_rewind_rounded.png e956.codepoint=fast_rewind_sharp fast_rewind_sharp=material/fast_rewind_sharp.png e25a.codepoint=fastfood fastfood=material/fastfood.png f049.codepoint=fastfood_outlined fastfood_outlined=material/fastfood_outlined.png f736.codepoint=fastfood_rounded fastfood_rounded=material/fastfood_rounded.png e957.codepoint=fastfood_sharp fastfood_sharp=material/fastfood_sharp.png e25b.codepoint=favorite favorite=material/favorite.png e25c.codepoint=favorite_border favorite_border=material/favorite_border.png f04a.codepoint=favorite_border_outlined favorite_border_outlined=material/favorite_border_outlined.png f737.codepoint=favorite_border_rounded favorite_border_rounded=material/favorite_border_rounded.png e958.codepoint=favorite_border_sharp favorite_border_sharp=material/favorite_border_sharp.png # e25c.codepoint=favorite_outline favorite_outline=material/favorite_outline.png # f04a.codepoint=favorite_outline_outlined favorite_outline_outlined=material/favorite_outline_outlined.png # f737.codepoint=favorite_outline_rounded favorite_outline_rounded=material/favorite_outline_rounded.png # e958.codepoint=favorite_outline_sharp favorite_outline_sharp=material/favorite_outline_sharp.png f04b.codepoint=favorite_outlined favorite_outlined=material/favorite_outlined.png f738.codepoint=favorite_rounded favorite_rounded=material/favorite_rounded.png e959.codepoint=favorite_sharp favorite_sharp=material/favorite_sharp.png f04fe.codepoint=fax fax=material/fax.png f05f8.codepoint=fax_outlined fax_outlined=material/fax_outlined.png f0317.codepoint=fax_rounded fax_rounded=material/fax_rounded.png f040a.codepoint=fax_sharp fax_sharp=material/fax_sharp.png e25d.codepoint=featured_play_list featured_play_list=material/featured_play_list.png f04c.codepoint=featured_play_list_outlined featured_play_list_outlined=material/featured_play_list_outlined.png f739.codepoint=featured_play_list_rounded featured_play_list_rounded=material/featured_play_list_rounded.png e95a.codepoint=featured_play_list_sharp featured_play_list_sharp=material/featured_play_list_sharp.png e25e.codepoint=featured_video featured_video=material/featured_video.png f04d.codepoint=featured_video_outlined featured_video_outlined=material/featured_video_outlined.png f73a.codepoint=featured_video_rounded featured_video_rounded=material/featured_video_rounded.png e95b.codepoint=featured_video_sharp featured_video_sharp=material/featured_video_sharp.png e25f.codepoint=feed feed=material/feed.png f04e.codepoint=feed_outlined feed_outlined=material/feed_outlined.png f73b.codepoint=feed_rounded feed_rounded=material/feed_rounded.png e95c.codepoint=feed_sharp feed_sharp=material/feed_sharp.png e260.codepoint=feedback feedback=material/feedback.png f04f.codepoint=feedback_outlined feedback_outlined=material/feedback_outlined.png f73c.codepoint=feedback_rounded feedback_rounded=material/feedback_rounded.png e95d.codepoint=feedback_sharp feedback_sharp=material/feedback_sharp.png e261.codepoint=female female=material/female.png f050.codepoint=female_outlined female_outlined=material/female_outlined.png f73d.codepoint=female_rounded female_rounded=material/female_rounded.png e95e.codepoint=female_sharp female_sharp=material/female_sharp.png e262.codepoint=fence fence=material/fence.png f051.codepoint=fence_outlined fence_outlined=material/fence_outlined.png f73e.codepoint=fence_rounded fence_rounded=material/fence_rounded.png e95f.codepoint=fence_sharp fence_sharp=material/fence_sharp.png e263.codepoint=festival festival=material/festival.png f052.codepoint=festival_outlined festival_outlined=material/festival_outlined.png f73f.codepoint=festival_rounded festival_rounded=material/festival_rounded.png e960.codepoint=festival_sharp festival_sharp=material/festival_sharp.png e264.codepoint=fiber_dvr fiber_dvr=material/fiber_dvr.png f053.codepoint=fiber_dvr_outlined fiber_dvr_outlined=material/fiber_dvr_outlined.png f740.codepoint=fiber_dvr_rounded fiber_dvr_rounded=material/fiber_dvr_rounded.png e961.codepoint=fiber_dvr_sharp fiber_dvr_sharp=material/fiber_dvr_sharp.png e265.codepoint=fiber_manual_record fiber_manual_record=material/fiber_manual_record.png f054.codepoint=fiber_manual_record_outlined fiber_manual_record_outlined=material/fiber_manual_record_outlined.png f741.codepoint=fiber_manual_record_rounded fiber_manual_record_rounded=material/fiber_manual_record_rounded.png e962.codepoint=fiber_manual_record_sharp fiber_manual_record_sharp=material/fiber_manual_record_sharp.png e266.codepoint=fiber_new fiber_new=material/fiber_new.png f055.codepoint=fiber_new_outlined fiber_new_outlined=material/fiber_new_outlined.png f742.codepoint=fiber_new_rounded fiber_new_rounded=material/fiber_new_rounded.png e963.codepoint=fiber_new_sharp fiber_new_sharp=material/fiber_new_sharp.png e267.codepoint=fiber_pin fiber_pin=material/fiber_pin.png f056.codepoint=fiber_pin_outlined fiber_pin_outlined=material/fiber_pin_outlined.png f743.codepoint=fiber_pin_rounded fiber_pin_rounded=material/fiber_pin_rounded.png e964.codepoint=fiber_pin_sharp fiber_pin_sharp=material/fiber_pin_sharp.png e268.codepoint=fiber_smart_record fiber_smart_record=material/fiber_smart_record.png f057.codepoint=fiber_smart_record_outlined fiber_smart_record_outlined=material/fiber_smart_record_outlined.png f744.codepoint=fiber_smart_record_rounded fiber_smart_record_rounded=material/fiber_smart_record_rounded.png e965.codepoint=fiber_smart_record_sharp fiber_smart_record_sharp=material/fiber_smart_record_sharp.png e006.codepoint=fifteen_mp fifteen_mp=material/fifteen_mp.png edf8.codepoint=fifteen_mp_outlined fifteen_mp_outlined=material/fifteen_mp_outlined.png f4e5.codepoint=fifteen_mp_rounded fifteen_mp_rounded=material/fifteen_mp_rounded.png e706.codepoint=fifteen_mp_sharp fifteen_mp_sharp=material/fifteen_mp_sharp.png e269.codepoint=file_copy file_copy=material/file_copy.png f058.codepoint=file_copy_outlined file_copy_outlined=material/file_copy_outlined.png f745.codepoint=file_copy_rounded file_copy_rounded=material/file_copy_rounded.png e966.codepoint=file_copy_sharp file_copy_sharp=material/file_copy_sharp.png e26a.codepoint=file_download file_download=material/file_download.png e26b.codepoint=file_download_done file_download_done=material/file_download_done.png f059.codepoint=file_download_done_outlined file_download_done_outlined=material/file_download_done_outlined.png f746.codepoint=file_download_done_rounded file_download_done_rounded=material/file_download_done_rounded.png e967.codepoint=file_download_done_sharp file_download_done_sharp=material/file_download_done_sharp.png e26c.codepoint=file_download_off file_download_off=material/file_download_off.png f05a.codepoint=file_download_off_outlined file_download_off_outlined=material/file_download_off_outlined.png f747.codepoint=file_download_off_rounded file_download_off_rounded=material/file_download_off_rounded.png e968.codepoint=file_download_off_sharp file_download_off_sharp=material/file_download_off_sharp.png f05b.codepoint=file_download_outlined file_download_outlined=material/file_download_outlined.png f748.codepoint=file_download_rounded file_download_rounded=material/file_download_rounded.png e969.codepoint=file_download_sharp file_download_sharp=material/file_download_sharp.png f04ff.codepoint=file_open file_open=material/file_open.png f05f9.codepoint=file_open_outlined file_open_outlined=material/file_open_outlined.png f0318.codepoint=file_open_rounded file_open_rounded=material/file_open_rounded.png f040b.codepoint=file_open_sharp file_open_sharp=material/file_open_sharp.png e26d.codepoint=file_present file_present=material/file_present.png f05c.codepoint=file_present_outlined file_present_outlined=material/file_present_outlined.png f749.codepoint=file_present_rounded file_present_rounded=material/file_present_rounded.png e96a.codepoint=file_present_sharp file_present_sharp=material/file_present_sharp.png e26e.codepoint=file_upload file_upload=material/file_upload.png f05d.codepoint=file_upload_outlined file_upload_outlined=material/file_upload_outlined.png f74a.codepoint=file_upload_rounded file_upload_rounded=material/file_upload_rounded.png e96b.codepoint=file_upload_sharp file_upload_sharp=material/file_upload_sharp.png e26f.codepoint=filter filter=material/filter.png e270.codepoint=filter_1 filter_1=material/filter_1.png f05e.codepoint=filter_1_outlined filter_1_outlined=material/filter_1_outlined.png f74b.codepoint=filter_1_rounded filter_1_rounded=material/filter_1_rounded.png e96c.codepoint=filter_1_sharp filter_1_sharp=material/filter_1_sharp.png e271.codepoint=filter_2 filter_2=material/filter_2.png f05f.codepoint=filter_2_outlined filter_2_outlined=material/filter_2_outlined.png f74c.codepoint=filter_2_rounded filter_2_rounded=material/filter_2_rounded.png e96d.codepoint=filter_2_sharp filter_2_sharp=material/filter_2_sharp.png e272.codepoint=filter_3 filter_3=material/filter_3.png f060.codepoint=filter_3_outlined filter_3_outlined=material/filter_3_outlined.png f74d.codepoint=filter_3_rounded filter_3_rounded=material/filter_3_rounded.png e96e.codepoint=filter_3_sharp filter_3_sharp=material/filter_3_sharp.png e273.codepoint=filter_4 filter_4=material/filter_4.png f061.codepoint=filter_4_outlined filter_4_outlined=material/filter_4_outlined.png f74e.codepoint=filter_4_rounded filter_4_rounded=material/filter_4_rounded.png e96f.codepoint=filter_4_sharp filter_4_sharp=material/filter_4_sharp.png e274.codepoint=filter_5 filter_5=material/filter_5.png f062.codepoint=filter_5_outlined filter_5_outlined=material/filter_5_outlined.png f74f.codepoint=filter_5_rounded filter_5_rounded=material/filter_5_rounded.png e970.codepoint=filter_5_sharp filter_5_sharp=material/filter_5_sharp.png e275.codepoint=filter_6 filter_6=material/filter_6.png f063.codepoint=filter_6_outlined filter_6_outlined=material/filter_6_outlined.png f750.codepoint=filter_6_rounded filter_6_rounded=material/filter_6_rounded.png e971.codepoint=filter_6_sharp filter_6_sharp=material/filter_6_sharp.png e276.codepoint=filter_7 filter_7=material/filter_7.png f064.codepoint=filter_7_outlined filter_7_outlined=material/filter_7_outlined.png f751.codepoint=filter_7_rounded filter_7_rounded=material/filter_7_rounded.png e972.codepoint=filter_7_sharp filter_7_sharp=material/filter_7_sharp.png e277.codepoint=filter_8 filter_8=material/filter_8.png f065.codepoint=filter_8_outlined filter_8_outlined=material/filter_8_outlined.png f752.codepoint=filter_8_rounded filter_8_rounded=material/filter_8_rounded.png e973.codepoint=filter_8_sharp filter_8_sharp=material/filter_8_sharp.png e278.codepoint=filter_9 filter_9=material/filter_9.png f066.codepoint=filter_9_outlined filter_9_outlined=material/filter_9_outlined.png e279.codepoint=filter_9_plus filter_9_plus=material/filter_9_plus.png f067.codepoint=filter_9_plus_outlined filter_9_plus_outlined=material/filter_9_plus_outlined.png f753.codepoint=filter_9_plus_rounded filter_9_plus_rounded=material/filter_9_plus_rounded.png e974.codepoint=filter_9_plus_sharp filter_9_plus_sharp=material/filter_9_plus_sharp.png f754.codepoint=filter_9_rounded filter_9_rounded=material/filter_9_rounded.png e975.codepoint=filter_9_sharp filter_9_sharp=material/filter_9_sharp.png e27a.codepoint=filter_alt filter_alt=material/filter_alt.png f0500.codepoint=filter_alt_off filter_alt_off=material/filter_alt_off.png f05fa.codepoint=filter_alt_off_outlined filter_alt_off_outlined=material/filter_alt_off_outlined.png f0319.codepoint=filter_alt_off_rounded filter_alt_off_rounded=material/filter_alt_off_rounded.png f040c.codepoint=filter_alt_off_sharp filter_alt_off_sharp=material/filter_alt_off_sharp.png f068.codepoint=filter_alt_outlined filter_alt_outlined=material/filter_alt_outlined.png f755.codepoint=filter_alt_rounded filter_alt_rounded=material/filter_alt_rounded.png e976.codepoint=filter_alt_sharp filter_alt_sharp=material/filter_alt_sharp.png e27b.codepoint=filter_b_and_w filter_b_and_w=material/filter_b_and_w.png f069.codepoint=filter_b_and_w_outlined filter_b_and_w_outlined=material/filter_b_and_w_outlined.png f756.codepoint=filter_b_and_w_rounded filter_b_and_w_rounded=material/filter_b_and_w_rounded.png e977.codepoint=filter_b_and_w_sharp filter_b_and_w_sharp=material/filter_b_and_w_sharp.png e27c.codepoint=filter_center_focus filter_center_focus=material/filter_center_focus.png f06a.codepoint=filter_center_focus_outlined filter_center_focus_outlined=material/filter_center_focus_outlined.png f757.codepoint=filter_center_focus_rounded filter_center_focus_rounded=material/filter_center_focus_rounded.png e978.codepoint=filter_center_focus_sharp filter_center_focus_sharp=material/filter_center_focus_sharp.png e27d.codepoint=filter_drama filter_drama=material/filter_drama.png f06b.codepoint=filter_drama_outlined filter_drama_outlined=material/filter_drama_outlined.png f758.codepoint=filter_drama_rounded filter_drama_rounded=material/filter_drama_rounded.png e979.codepoint=filter_drama_sharp filter_drama_sharp=material/filter_drama_sharp.png e27e.codepoint=filter_frames filter_frames=material/filter_frames.png f06c.codepoint=filter_frames_outlined filter_frames_outlined=material/filter_frames_outlined.png f759.codepoint=filter_frames_rounded filter_frames_rounded=material/filter_frames_rounded.png e97a.codepoint=filter_frames_sharp filter_frames_sharp=material/filter_frames_sharp.png e27f.codepoint=filter_hdr filter_hdr=material/filter_hdr.png f06d.codepoint=filter_hdr_outlined filter_hdr_outlined=material/filter_hdr_outlined.png f75a.codepoint=filter_hdr_rounded filter_hdr_rounded=material/filter_hdr_rounded.png e97b.codepoint=filter_hdr_sharp filter_hdr_sharp=material/filter_hdr_sharp.png e280.codepoint=filter_list filter_list=material/filter_list.png e281.codepoint=filter_list_alt filter_list_alt=material/filter_list_alt.png f0501.codepoint=filter_list_off filter_list_off=material/filter_list_off.png f05fb.codepoint=filter_list_off_outlined filter_list_off_outlined=material/filter_list_off_outlined.png f031a.codepoint=filter_list_off_rounded filter_list_off_rounded=material/filter_list_off_rounded.png f040d.codepoint=filter_list_off_sharp filter_list_off_sharp=material/filter_list_off_sharp.png f06e.codepoint=filter_list_outlined filter_list_outlined=material/filter_list_outlined.png f75b.codepoint=filter_list_rounded filter_list_rounded=material/filter_list_rounded.png e97c.codepoint=filter_list_sharp filter_list_sharp=material/filter_list_sharp.png e282.codepoint=filter_none filter_none=material/filter_none.png f06f.codepoint=filter_none_outlined filter_none_outlined=material/filter_none_outlined.png f75c.codepoint=filter_none_rounded filter_none_rounded=material/filter_none_rounded.png e97d.codepoint=filter_none_sharp filter_none_sharp=material/filter_none_sharp.png f070.codepoint=filter_outlined filter_outlined=material/filter_outlined.png f75d.codepoint=filter_rounded filter_rounded=material/filter_rounded.png e97e.codepoint=filter_sharp filter_sharp=material/filter_sharp.png e283.codepoint=filter_tilt_shift filter_tilt_shift=material/filter_tilt_shift.png f071.codepoint=filter_tilt_shift_outlined filter_tilt_shift_outlined=material/filter_tilt_shift_outlined.png f75e.codepoint=filter_tilt_shift_rounded filter_tilt_shift_rounded=material/filter_tilt_shift_rounded.png e97f.codepoint=filter_tilt_shift_sharp filter_tilt_shift_sharp=material/filter_tilt_shift_sharp.png e284.codepoint=filter_vintage filter_vintage=material/filter_vintage.png f072.codepoint=filter_vintage_outlined filter_vintage_outlined=material/filter_vintage_outlined.png f75f.codepoint=filter_vintage_rounded filter_vintage_rounded=material/filter_vintage_rounded.png e980.codepoint=filter_vintage_sharp filter_vintage_sharp=material/filter_vintage_sharp.png e285.codepoint=find_in_page find_in_page=material/find_in_page.png f073.codepoint=find_in_page_outlined find_in_page_outlined=material/find_in_page_outlined.png f760.codepoint=find_in_page_rounded find_in_page_rounded=material/find_in_page_rounded.png e981.codepoint=find_in_page_sharp find_in_page_sharp=material/find_in_page_sharp.png e286.codepoint=find_replace find_replace=material/find_replace.png f074.codepoint=find_replace_outlined find_replace_outlined=material/find_replace_outlined.png f761.codepoint=find_replace_rounded find_replace_rounded=material/find_replace_rounded.png e982.codepoint=find_replace_sharp find_replace_sharp=material/find_replace_sharp.png e287.codepoint=fingerprint fingerprint=material/fingerprint.png f075.codepoint=fingerprint_outlined fingerprint_outlined=material/fingerprint_outlined.png f762.codepoint=fingerprint_rounded fingerprint_rounded=material/fingerprint_rounded.png e983.codepoint=fingerprint_sharp fingerprint_sharp=material/fingerprint_sharp.png e288.codepoint=fire_extinguisher fire_extinguisher=material/fire_extinguisher.png f076.codepoint=fire_extinguisher_outlined fire_extinguisher_outlined=material/fire_extinguisher_outlined.png f763.codepoint=fire_extinguisher_rounded fire_extinguisher_rounded=material/fire_extinguisher_rounded.png e984.codepoint=fire_extinguisher_sharp fire_extinguisher_sharp=material/fire_extinguisher_sharp.png e289.codepoint=fire_hydrant fire_hydrant=material/fire_hydrant.png f07a1.codepoint=fire_hydrant_alt fire_hydrant_alt=material/fire_hydrant_alt.png f06f1.codepoint=fire_hydrant_alt_outlined fire_hydrant_alt_outlined=material/fire_hydrant_alt_outlined.png f07f9.codepoint=fire_hydrant_alt_rounded fire_hydrant_alt_rounded=material/fire_hydrant_alt_rounded.png f0749.codepoint=fire_hydrant_alt_sharp fire_hydrant_alt_sharp=material/fire_hydrant_alt_sharp.png f07a2.codepoint=fire_truck fire_truck=material/fire_truck.png f06f2.codepoint=fire_truck_outlined fire_truck_outlined=material/fire_truck_outlined.png f07fa.codepoint=fire_truck_rounded fire_truck_rounded=material/fire_truck_rounded.png f074a.codepoint=fire_truck_sharp fire_truck_sharp=material/fire_truck_sharp.png e28a.codepoint=fireplace fireplace=material/fireplace.png f077.codepoint=fireplace_outlined fireplace_outlined=material/fireplace_outlined.png f764.codepoint=fireplace_rounded fireplace_rounded=material/fireplace_rounded.png e985.codepoint=fireplace_sharp fireplace_sharp=material/fireplace_sharp.png e28b.codepoint=first_page first_page=material/first_page.png f078.codepoint=first_page_outlined first_page_outlined=material/first_page_outlined.png f765.codepoint=first_page_rounded first_page_rounded=material/first_page_rounded.png e986.codepoint=first_page_sharp first_page_sharp=material/first_page_sharp.png e28c.codepoint=fit_screen fit_screen=material/fit_screen.png f079.codepoint=fit_screen_outlined fit_screen_outlined=material/fit_screen_outlined.png f766.codepoint=fit_screen_rounded fit_screen_rounded=material/fit_screen_rounded.png e987.codepoint=fit_screen_sharp fit_screen_sharp=material/fit_screen_sharp.png f0502.codepoint=fitbit fitbit=material/fitbit.png f05fc.codepoint=fitbit_outlined fitbit_outlined=material/fitbit_outlined.png f031b.codepoint=fitbit_rounded fitbit_rounded=material/fitbit_rounded.png f040e.codepoint=fitbit_sharp fitbit_sharp=material/fitbit_sharp.png e28d.codepoint=fitness_center fitness_center=material/fitness_center.png f07a.codepoint=fitness_center_outlined fitness_center_outlined=material/fitness_center_outlined.png f767.codepoint=fitness_center_rounded fitness_center_rounded=material/fitness_center_rounded.png e988.codepoint=fitness_center_sharp fitness_center_sharp=material/fitness_center_sharp.png e024.codepoint=five_g five_g=material/five_g.png ee16.codepoint=five_g_outlined five_g_outlined=material/five_g_outlined.png f503.codepoint=five_g_rounded five_g_rounded=material/five_g_rounded.png e724.codepoint=five_g_sharp five_g_sharp=material/five_g_sharp.png e025.codepoint=five_k five_k=material/five_k.png ee17.codepoint=five_k_outlined five_k_outlined=material/five_k_outlined.png e026.codepoint=five_k_plus five_k_plus=material/five_k_plus.png ee18.codepoint=five_k_plus_outlined five_k_plus_outlined=material/five_k_plus_outlined.png f504.codepoint=five_k_plus_rounded five_k_plus_rounded=material/five_k_plus_rounded.png e725.codepoint=five_k_plus_sharp five_k_plus_sharp=material/five_k_plus_sharp.png f505.codepoint=five_k_rounded five_k_rounded=material/five_k_rounded.png e726.codepoint=five_k_sharp five_k_sharp=material/five_k_sharp.png e027.codepoint=five_mp five_mp=material/five_mp.png ee19.codepoint=five_mp_outlined five_mp_outlined=material/five_mp_outlined.png f506.codepoint=five_mp_rounded five_mp_rounded=material/five_mp_rounded.png e727.codepoint=five_mp_sharp five_mp_sharp=material/five_mp_sharp.png e28e.codepoint=flag flag=material/flag.png f0503.codepoint=flag_circle flag_circle=material/flag_circle.png f05fd.codepoint=flag_circle_outlined flag_circle_outlined=material/flag_circle_outlined.png f031c.codepoint=flag_circle_rounded flag_circle_rounded=material/flag_circle_rounded.png f040f.codepoint=flag_circle_sharp flag_circle_sharp=material/flag_circle_sharp.png f07b.codepoint=flag_outlined flag_outlined=material/flag_outlined.png f768.codepoint=flag_rounded flag_rounded=material/flag_rounded.png e989.codepoint=flag_sharp flag_sharp=material/flag_sharp.png e28f.codepoint=flaky flaky=material/flaky.png f07c.codepoint=flaky_outlined flaky_outlined=material/flaky_outlined.png f769.codepoint=flaky_rounded flaky_rounded=material/flaky_rounded.png e98a.codepoint=flaky_sharp flaky_sharp=material/flaky_sharp.png e290.codepoint=flare flare=material/flare.png f07d.codepoint=flare_outlined flare_outlined=material/flare_outlined.png f76a.codepoint=flare_rounded flare_rounded=material/flare_rounded.png e98b.codepoint=flare_sharp flare_sharp=material/flare_sharp.png e291.codepoint=flash_auto flash_auto=material/flash_auto.png f07e.codepoint=flash_auto_outlined flash_auto_outlined=material/flash_auto_outlined.png f76b.codepoint=flash_auto_rounded flash_auto_rounded=material/flash_auto_rounded.png e98c.codepoint=flash_auto_sharp flash_auto_sharp=material/flash_auto_sharp.png e292.codepoint=flash_off flash_off=material/flash_off.png f07f.codepoint=flash_off_outlined flash_off_outlined=material/flash_off_outlined.png f76c.codepoint=flash_off_rounded flash_off_rounded=material/flash_off_rounded.png e98d.codepoint=flash_off_sharp flash_off_sharp=material/flash_off_sharp.png e293.codepoint=flash_on flash_on=material/flash_on.png f080.codepoint=flash_on_outlined flash_on_outlined=material/flash_on_outlined.png f76d.codepoint=flash_on_rounded flash_on_rounded=material/flash_on_rounded.png e98e.codepoint=flash_on_sharp flash_on_sharp=material/flash_on_sharp.png e294.codepoint=flashlight_off flashlight_off=material/flashlight_off.png f081.codepoint=flashlight_off_outlined flashlight_off_outlined=material/flashlight_off_outlined.png f76e.codepoint=flashlight_off_rounded flashlight_off_rounded=material/flashlight_off_rounded.png e98f.codepoint=flashlight_off_sharp flashlight_off_sharp=material/flashlight_off_sharp.png e295.codepoint=flashlight_on flashlight_on=material/flashlight_on.png f082.codepoint=flashlight_on_outlined flashlight_on_outlined=material/flashlight_on_outlined.png f76f.codepoint=flashlight_on_rounded flashlight_on_rounded=material/flashlight_on_rounded.png e990.codepoint=flashlight_on_sharp flashlight_on_sharp=material/flashlight_on_sharp.png e296.codepoint=flatware flatware=material/flatware.png f083.codepoint=flatware_outlined flatware_outlined=material/flatware_outlined.png f770.codepoint=flatware_rounded flatware_rounded=material/flatware_rounded.png e991.codepoint=flatware_sharp flatware_sharp=material/flatware_sharp.png e297.codepoint=flight flight=material/flight.png f0504.codepoint=flight_class flight_class=material/flight_class.png f05fe.codepoint=flight_class_outlined flight_class_outlined=material/flight_class_outlined.png f031d.codepoint=flight_class_rounded flight_class_rounded=material/flight_class_rounded.png f0410.codepoint=flight_class_sharp flight_class_sharp=material/flight_class_sharp.png e298.codepoint=flight_land flight_land=material/flight_land.png f084.codepoint=flight_land_outlined flight_land_outlined=material/flight_land_outlined.png f771.codepoint=flight_land_rounded flight_land_rounded=material/flight_land_rounded.png e992.codepoint=flight_land_sharp flight_land_sharp=material/flight_land_sharp.png f085.codepoint=flight_outlined flight_outlined=material/flight_outlined.png f772.codepoint=flight_rounded flight_rounded=material/flight_rounded.png e993.codepoint=flight_sharp flight_sharp=material/flight_sharp.png e299.codepoint=flight_takeoff flight_takeoff=material/flight_takeoff.png f086.codepoint=flight_takeoff_outlined flight_takeoff_outlined=material/flight_takeoff_outlined.png f773.codepoint=flight_takeoff_rounded flight_takeoff_rounded=material/flight_takeoff_rounded.png e994.codepoint=flight_takeoff_sharp flight_takeoff_sharp=material/flight_takeoff_sharp.png e29a.codepoint=flip flip=material/flip.png e29b.codepoint=flip_camera_android flip_camera_android=material/flip_camera_android.png f087.codepoint=flip_camera_android_outlined flip_camera_android_outlined=material/flip_camera_android_outlined.png f774.codepoint=flip_camera_android_rounded flip_camera_android_rounded=material/flip_camera_android_rounded.png e995.codepoint=flip_camera_android_sharp flip_camera_android_sharp=material/flip_camera_android_sharp.png e29c.codepoint=flip_camera_ios flip_camera_ios=material/flip_camera_ios.png f088.codepoint=flip_camera_ios_outlined flip_camera_ios_outlined=material/flip_camera_ios_outlined.png f775.codepoint=flip_camera_ios_rounded flip_camera_ios_rounded=material/flip_camera_ios_rounded.png e996.codepoint=flip_camera_ios_sharp flip_camera_ios_sharp=material/flip_camera_ios_sharp.png f089.codepoint=flip_outlined flip_outlined=material/flip_outlined.png f776.codepoint=flip_rounded flip_rounded=material/flip_rounded.png e997.codepoint=flip_sharp flip_sharp=material/flip_sharp.png e29d.codepoint=flip_to_back flip_to_back=material/flip_to_back.png f08a.codepoint=flip_to_back_outlined flip_to_back_outlined=material/flip_to_back_outlined.png f777.codepoint=flip_to_back_rounded flip_to_back_rounded=material/flip_to_back_rounded.png e998.codepoint=flip_to_back_sharp flip_to_back_sharp=material/flip_to_back_sharp.png e29e.codepoint=flip_to_front flip_to_front=material/flip_to_front.png f08b.codepoint=flip_to_front_outlined flip_to_front_outlined=material/flip_to_front_outlined.png f778.codepoint=flip_to_front_rounded flip_to_front_rounded=material/flip_to_front_rounded.png e999.codepoint=flip_to_front_sharp flip_to_front_sharp=material/flip_to_front_sharp.png f07a3.codepoint=flood flood=material/flood.png f06f3.codepoint=flood_outlined flood_outlined=material/flood_outlined.png f07fb.codepoint=flood_rounded flood_rounded=material/flood_rounded.png f074b.codepoint=flood_sharp flood_sharp=material/flood_sharp.png e29f.codepoint=flourescent flourescent=material/flourescent.png f08c.codepoint=flourescent_outlined flourescent_outlined=material/flourescent_outlined.png f779.codepoint=flourescent_rounded flourescent_rounded=material/flourescent_rounded.png e99a.codepoint=flourescent_sharp flourescent_sharp=material/flourescent_sharp.png e2a0.codepoint=flutter_dash flutter_dash=material/flutter_dash.png f08d.codepoint=flutter_dash_outlined flutter_dash_outlined=material/flutter_dash_outlined.png f77a.codepoint=flutter_dash_rounded flutter_dash_rounded=material/flutter_dash_rounded.png e99b.codepoint=flutter_dash_sharp flutter_dash_sharp=material/flutter_dash_sharp.png e2a1.codepoint=fmd_bad fmd_bad=material/fmd_bad.png f08e.codepoint=fmd_bad_outlined fmd_bad_outlined=material/fmd_bad_outlined.png f77b.codepoint=fmd_bad_rounded fmd_bad_rounded=material/fmd_bad_rounded.png e99c.codepoint=fmd_bad_sharp fmd_bad_sharp=material/fmd_bad_sharp.png e2a2.codepoint=fmd_good fmd_good=material/fmd_good.png f08f.codepoint=fmd_good_outlined fmd_good_outlined=material/fmd_good_outlined.png f77c.codepoint=fmd_good_rounded fmd_good_rounded=material/fmd_good_rounded.png e99d.codepoint=fmd_good_sharp fmd_good_sharp=material/fmd_good_sharp.png f0505.codepoint=foggy foggy=material/foggy.png e2a3.codepoint=folder folder=material/folder.png f0506.codepoint=folder_copy folder_copy=material/folder_copy.png f05ff.codepoint=folder_copy_outlined folder_copy_outlined=material/folder_copy_outlined.png f031e.codepoint=folder_copy_rounded folder_copy_rounded=material/folder_copy_rounded.png f0411.codepoint=folder_copy_sharp folder_copy_sharp=material/folder_copy_sharp.png f0507.codepoint=folder_delete folder_delete=material/folder_delete.png f0600.codepoint=folder_delete_outlined folder_delete_outlined=material/folder_delete_outlined.png f031f.codepoint=folder_delete_rounded folder_delete_rounded=material/folder_delete_rounded.png f0412.codepoint=folder_delete_sharp folder_delete_sharp=material/folder_delete_sharp.png f0508.codepoint=folder_off folder_off=material/folder_off.png f0601.codepoint=folder_off_outlined folder_off_outlined=material/folder_off_outlined.png f0320.codepoint=folder_off_rounded folder_off_rounded=material/folder_off_rounded.png f0413.codepoint=folder_off_sharp folder_off_sharp=material/folder_off_sharp.png e2a4.codepoint=folder_open folder_open=material/folder_open.png f090.codepoint=folder_open_outlined folder_open_outlined=material/folder_open_outlined.png f77d.codepoint=folder_open_rounded folder_open_rounded=material/folder_open_rounded.png e99e.codepoint=folder_open_sharp folder_open_sharp=material/folder_open_sharp.png f091.codepoint=folder_outlined folder_outlined=material/folder_outlined.png f77e.codepoint=folder_rounded folder_rounded=material/folder_rounded.png e2a5.codepoint=folder_shared folder_shared=material/folder_shared.png f092.codepoint=folder_shared_outlined folder_shared_outlined=material/folder_shared_outlined.png f77f.codepoint=folder_shared_rounded folder_shared_rounded=material/folder_shared_rounded.png e99f.codepoint=folder_shared_sharp folder_shared_sharp=material/folder_shared_sharp.png e9a0.codepoint=folder_sharp folder_sharp=material/folder_sharp.png e2a6.codepoint=folder_special folder_special=material/folder_special.png f093.codepoint=folder_special_outlined folder_special_outlined=material/folder_special_outlined.png f780.codepoint=folder_special_rounded folder_special_rounded=material/folder_special_rounded.png e9a1.codepoint=folder_special_sharp folder_special_sharp=material/folder_special_sharp.png f0509.codepoint=folder_zip folder_zip=material/folder_zip.png f0602.codepoint=folder_zip_outlined folder_zip_outlined=material/folder_zip_outlined.png f0321.codepoint=folder_zip_rounded folder_zip_rounded=material/folder_zip_rounded.png f0414.codepoint=folder_zip_sharp folder_zip_sharp=material/folder_zip_sharp.png e2a7.codepoint=follow_the_signs follow_the_signs=material/follow_the_signs.png f094.codepoint=follow_the_signs_outlined follow_the_signs_outlined=material/follow_the_signs_outlined.png f781.codepoint=follow_the_signs_rounded follow_the_signs_rounded=material/follow_the_signs_rounded.png e9a2.codepoint=follow_the_signs_sharp follow_the_signs_sharp=material/follow_the_signs_sharp.png e2a8.codepoint=font_download font_download=material/font_download.png e2a9.codepoint=font_download_off font_download_off=material/font_download_off.png f095.codepoint=font_download_off_outlined font_download_off_outlined=material/font_download_off_outlined.png f782.codepoint=font_download_off_rounded font_download_off_rounded=material/font_download_off_rounded.png e9a3.codepoint=font_download_off_sharp font_download_off_sharp=material/font_download_off_sharp.png f096.codepoint=font_download_outlined font_download_outlined=material/font_download_outlined.png f783.codepoint=font_download_rounded font_download_rounded=material/font_download_rounded.png e9a4.codepoint=font_download_sharp font_download_sharp=material/font_download_sharp.png e2aa.codepoint=food_bank food_bank=material/food_bank.png f097.codepoint=food_bank_outlined food_bank_outlined=material/food_bank_outlined.png f784.codepoint=food_bank_rounded food_bank_rounded=material/food_bank_rounded.png e9a5.codepoint=food_bank_sharp food_bank_sharp=material/food_bank_sharp.png f050a.codepoint=forest forest=material/forest.png f0603.codepoint=forest_outlined forest_outlined=material/forest_outlined.png f0322.codepoint=forest_rounded forest_rounded=material/forest_rounded.png f0415.codepoint=forest_sharp forest_sharp=material/forest_sharp.png f050b.codepoint=fork_left fork_left=material/fork_left.png f0604.codepoint=fork_left_outlined fork_left_outlined=material/fork_left_outlined.png f0323.codepoint=fork_left_rounded fork_left_rounded=material/fork_left_rounded.png f0416.codepoint=fork_left_sharp fork_left_sharp=material/fork_left_sharp.png f050c.codepoint=fork_right fork_right=material/fork_right.png f0605.codepoint=fork_right_outlined fork_right_outlined=material/fork_right_outlined.png f0324.codepoint=fork_right_rounded fork_right_rounded=material/fork_right_rounded.png f0417.codepoint=fork_right_sharp fork_right_sharp=material/fork_right_sharp.png e2ab.codepoint=format_align_center format_align_center=material/format_align_center.png f098.codepoint=format_align_center_outlined format_align_center_outlined=material/format_align_center_outlined.png f785.codepoint=format_align_center_rounded format_align_center_rounded=material/format_align_center_rounded.png e9a6.codepoint=format_align_center_sharp format_align_center_sharp=material/format_align_center_sharp.png e2ac.codepoint=format_align_justify format_align_justify=material/format_align_justify.png f099.codepoint=format_align_justify_outlined format_align_justify_outlined=material/format_align_justify_outlined.png f786.codepoint=format_align_justify_rounded format_align_justify_rounded=material/format_align_justify_rounded.png e9a7.codepoint=format_align_justify_sharp format_align_justify_sharp=material/format_align_justify_sharp.png e2ad.codepoint=format_align_left format_align_left=material/format_align_left.png f09a.codepoint=format_align_left_outlined format_align_left_outlined=material/format_align_left_outlined.png f787.codepoint=format_align_left_rounded format_align_left_rounded=material/format_align_left_rounded.png e9a8.codepoint=format_align_left_sharp format_align_left_sharp=material/format_align_left_sharp.png e2ae.codepoint=format_align_right format_align_right=material/format_align_right.png f09b.codepoint=format_align_right_outlined format_align_right_outlined=material/format_align_right_outlined.png f788.codepoint=format_align_right_rounded format_align_right_rounded=material/format_align_right_rounded.png e9a9.codepoint=format_align_right_sharp format_align_right_sharp=material/format_align_right_sharp.png e2af.codepoint=format_bold format_bold=material/format_bold.png f09c.codepoint=format_bold_outlined format_bold_outlined=material/format_bold_outlined.png f789.codepoint=format_bold_rounded format_bold_rounded=material/format_bold_rounded.png e9aa.codepoint=format_bold_sharp format_bold_sharp=material/format_bold_sharp.png e2b0.codepoint=format_clear format_clear=material/format_clear.png f09d.codepoint=format_clear_outlined format_clear_outlined=material/format_clear_outlined.png f78a.codepoint=format_clear_rounded format_clear_rounded=material/format_clear_rounded.png e9ab.codepoint=format_clear_sharp format_clear_sharp=material/format_clear_sharp.png e2b1.codepoint=format_color_fill format_color_fill=material/format_color_fill.png f09e.codepoint=format_color_fill_outlined format_color_fill_outlined=material/format_color_fill_outlined.png f78b.codepoint=format_color_fill_rounded format_color_fill_rounded=material/format_color_fill_rounded.png e9ac.codepoint=format_color_fill_sharp format_color_fill_sharp=material/format_color_fill_sharp.png e2b2.codepoint=format_color_reset format_color_reset=material/format_color_reset.png f09f.codepoint=format_color_reset_outlined format_color_reset_outlined=material/format_color_reset_outlined.png f78c.codepoint=format_color_reset_rounded format_color_reset_rounded=material/format_color_reset_rounded.png e9ad.codepoint=format_color_reset_sharp format_color_reset_sharp=material/format_color_reset_sharp.png e2b3.codepoint=format_color_text format_color_text=material/format_color_text.png f0a0.codepoint=format_color_text_outlined format_color_text_outlined=material/format_color_text_outlined.png f78d.codepoint=format_color_text_rounded format_color_text_rounded=material/format_color_text_rounded.png e9ae.codepoint=format_color_text_sharp format_color_text_sharp=material/format_color_text_sharp.png e2b4.codepoint=format_indent_decrease format_indent_decrease=material/format_indent_decrease.png f0a1.codepoint=format_indent_decrease_outlined format_indent_decrease_outlined=material/format_indent_decrease_outlined.png f78e.codepoint=format_indent_decrease_rounded format_indent_decrease_rounded=material/format_indent_decrease_rounded.png e9af.codepoint=format_indent_decrease_sharp format_indent_decrease_sharp=material/format_indent_decrease_sharp.png e2b5.codepoint=format_indent_increase format_indent_increase=material/format_indent_increase.png f0a2.codepoint=format_indent_increase_outlined format_indent_increase_outlined=material/format_indent_increase_outlined.png f78f.codepoint=format_indent_increase_rounded format_indent_increase_rounded=material/format_indent_increase_rounded.png e9b0.codepoint=format_indent_increase_sharp format_indent_increase_sharp=material/format_indent_increase_sharp.png e2b6.codepoint=format_italic format_italic=material/format_italic.png f0a3.codepoint=format_italic_outlined format_italic_outlined=material/format_italic_outlined.png f790.codepoint=format_italic_rounded format_italic_rounded=material/format_italic_rounded.png e9b1.codepoint=format_italic_sharp format_italic_sharp=material/format_italic_sharp.png e2b7.codepoint=format_line_spacing format_line_spacing=material/format_line_spacing.png f0a4.codepoint=format_line_spacing_outlined format_line_spacing_outlined=material/format_line_spacing_outlined.png f791.codepoint=format_line_spacing_rounded format_line_spacing_rounded=material/format_line_spacing_rounded.png e9b2.codepoint=format_line_spacing_sharp format_line_spacing_sharp=material/format_line_spacing_sharp.png e2b8.codepoint=format_list_bulleted format_list_bulleted=material/format_list_bulleted.png f0a5.codepoint=format_list_bulleted_outlined format_list_bulleted_outlined=material/format_list_bulleted_outlined.png f792.codepoint=format_list_bulleted_rounded format_list_bulleted_rounded=material/format_list_bulleted_rounded.png e9b3.codepoint=format_list_bulleted_sharp format_list_bulleted_sharp=material/format_list_bulleted_sharp.png e2b9.codepoint=format_list_numbered format_list_numbered=material/format_list_numbered.png f0a6.codepoint=format_list_numbered_outlined format_list_numbered_outlined=material/format_list_numbered_outlined.png f793.codepoint=format_list_numbered_rounded format_list_numbered_rounded=material/format_list_numbered_rounded.png e2ba.codepoint=format_list_numbered_rtl format_list_numbered_rtl=material/format_list_numbered_rtl.png f0a7.codepoint=format_list_numbered_rtl_outlined format_list_numbered_rtl_outlined=material/format_list_numbered_rtl_outlined.png f794.codepoint=format_list_numbered_rtl_rounded format_list_numbered_rtl_rounded=material/format_list_numbered_rtl_rounded.png e9b4.codepoint=format_list_numbered_rtl_sharp format_list_numbered_rtl_sharp=material/format_list_numbered_rtl_sharp.png e9b5.codepoint=format_list_numbered_sharp format_list_numbered_sharp=material/format_list_numbered_sharp.png f050d.codepoint=format_overline format_overline=material/format_overline.png f0606.codepoint=format_overline_outlined format_overline_outlined=material/format_overline_outlined.png f0325.codepoint=format_overline_rounded format_overline_rounded=material/format_overline_rounded.png f0418.codepoint=format_overline_sharp format_overline_sharp=material/format_overline_sharp.png e2bb.codepoint=format_paint format_paint=material/format_paint.png f0a8.codepoint=format_paint_outlined format_paint_outlined=material/format_paint_outlined.png f795.codepoint=format_paint_rounded format_paint_rounded=material/format_paint_rounded.png e9b6.codepoint=format_paint_sharp format_paint_sharp=material/format_paint_sharp.png e2bc.codepoint=format_quote format_quote=material/format_quote.png f0a9.codepoint=format_quote_outlined format_quote_outlined=material/format_quote_outlined.png f796.codepoint=format_quote_rounded format_quote_rounded=material/format_quote_rounded.png e9b7.codepoint=format_quote_sharp format_quote_sharp=material/format_quote_sharp.png e2bd.codepoint=format_shapes format_shapes=material/format_shapes.png f0aa.codepoint=format_shapes_outlined format_shapes_outlined=material/format_shapes_outlined.png f797.codepoint=format_shapes_rounded format_shapes_rounded=material/format_shapes_rounded.png e9b8.codepoint=format_shapes_sharp format_shapes_sharp=material/format_shapes_sharp.png e2be.codepoint=format_size format_size=material/format_size.png f0ab.codepoint=format_size_outlined format_size_outlined=material/format_size_outlined.png f798.codepoint=format_size_rounded format_size_rounded=material/format_size_rounded.png e9b9.codepoint=format_size_sharp format_size_sharp=material/format_size_sharp.png e2bf.codepoint=format_strikethrough format_strikethrough=material/format_strikethrough.png f0ac.codepoint=format_strikethrough_outlined format_strikethrough_outlined=material/format_strikethrough_outlined.png f799.codepoint=format_strikethrough_rounded format_strikethrough_rounded=material/format_strikethrough_rounded.png e9ba.codepoint=format_strikethrough_sharp format_strikethrough_sharp=material/format_strikethrough_sharp.png e2c0.codepoint=format_textdirection_l_to_r format_textdirection_l_to_r=material/format_textdirection_l_to_r.png f0ad.codepoint=format_textdirection_l_to_r_outlined format_textdirection_l_to_r_outlined=material/format_textdirection_l_to_r_outlined.png f79a.codepoint=format_textdirection_l_to_r_rounded format_textdirection_l_to_r_rounded=material/format_textdirection_l_to_r_rounded.png e9bb.codepoint=format_textdirection_l_to_r_sharp format_textdirection_l_to_r_sharp=material/format_textdirection_l_to_r_sharp.png e2c1.codepoint=format_textdirection_r_to_l format_textdirection_r_to_l=material/format_textdirection_r_to_l.png f0ae.codepoint=format_textdirection_r_to_l_outlined format_textdirection_r_to_l_outlined=material/format_textdirection_r_to_l_outlined.png f79b.codepoint=format_textdirection_r_to_l_rounded format_textdirection_r_to_l_rounded=material/format_textdirection_r_to_l_rounded.png e9bc.codepoint=format_textdirection_r_to_l_sharp format_textdirection_r_to_l_sharp=material/format_textdirection_r_to_l_sharp.png e2c2.codepoint=format_underline format_underline=material/format_underline.png f0af.codepoint=format_underline_outlined format_underline_outlined=material/format_underline_outlined.png f79c.codepoint=format_underline_rounded format_underline_rounded=material/format_underline_rounded.png e9bd.codepoint=format_underline_sharp format_underline_sharp=material/format_underline_sharp.png # e2c2.codepoint=format_underlined format_underlined=material/format_underlined.png # f0af.codepoint=format_underlined_outlined format_underlined_outlined=material/format_underlined_outlined.png # f79c.codepoint=format_underlined_rounded format_underlined_rounded=material/format_underlined_rounded.png # e9bd.codepoint=format_underlined_sharp format_underlined_sharp=material/format_underlined_sharp.png f050e.codepoint=fort fort=material/fort.png f0607.codepoint=fort_outlined fort_outlined=material/fort_outlined.png f0326.codepoint=fort_rounded fort_rounded=material/fort_rounded.png f0419.codepoint=fort_sharp fort_sharp=material/fort_sharp.png e2c3.codepoint=forum forum=material/forum.png f0b0.codepoint=forum_outlined forum_outlined=material/forum_outlined.png f79d.codepoint=forum_rounded forum_rounded=material/forum_rounded.png e9be.codepoint=forum_sharp forum_sharp=material/forum_sharp.png e2c4.codepoint=forward forward=material/forward.png e2c5.codepoint=forward_10 forward_10=material/forward_10.png f0b1.codepoint=forward_10_outlined forward_10_outlined=material/forward_10_outlined.png f79e.codepoint=forward_10_rounded forward_10_rounded=material/forward_10_rounded.png e9bf.codepoint=forward_10_sharp forward_10_sharp=material/forward_10_sharp.png e2c6.codepoint=forward_30 forward_30=material/forward_30.png f0b2.codepoint=forward_30_outlined forward_30_outlined=material/forward_30_outlined.png f79f.codepoint=forward_30_rounded forward_30_rounded=material/forward_30_rounded.png e9c0.codepoint=forward_30_sharp forward_30_sharp=material/forward_30_sharp.png e2c7.codepoint=forward_5 forward_5=material/forward_5.png f0b3.codepoint=forward_5_outlined forward_5_outlined=material/forward_5_outlined.png f7a0.codepoint=forward_5_rounded forward_5_rounded=material/forward_5_rounded.png e9c1.codepoint=forward_5_sharp forward_5_sharp=material/forward_5_sharp.png f0b4.codepoint=forward_outlined forward_outlined=material/forward_outlined.png f7a1.codepoint=forward_rounded forward_rounded=material/forward_rounded.png e9c2.codepoint=forward_sharp forward_sharp=material/forward_sharp.png e2c8.codepoint=forward_to_inbox forward_to_inbox=material/forward_to_inbox.png f0b5.codepoint=forward_to_inbox_outlined forward_to_inbox_outlined=material/forward_to_inbox_outlined.png f7a2.codepoint=forward_to_inbox_rounded forward_to_inbox_rounded=material/forward_to_inbox_rounded.png e9c3.codepoint=forward_to_inbox_sharp forward_to_inbox_sharp=material/forward_to_inbox_sharp.png e2c9.codepoint=foundation foundation=material/foundation.png f0b6.codepoint=foundation_outlined foundation_outlined=material/foundation_outlined.png f7a3.codepoint=foundation_rounded foundation_rounded=material/foundation_rounded.png e9c4.codepoint=foundation_sharp foundation_sharp=material/foundation_sharp.png e01f.codepoint=four_g_mobiledata four_g_mobiledata=material/four_g_mobiledata.png ee11.codepoint=four_g_mobiledata_outlined four_g_mobiledata_outlined=material/four_g_mobiledata_outlined.png f4fe.codepoint=four_g_mobiledata_rounded four_g_mobiledata_rounded=material/four_g_mobiledata_rounded.png e71f.codepoint=four_g_mobiledata_sharp four_g_mobiledata_sharp=material/four_g_mobiledata_sharp.png e020.codepoint=four_g_plus_mobiledata four_g_plus_mobiledata=material/four_g_plus_mobiledata.png ee12.codepoint=four_g_plus_mobiledata_outlined four_g_plus_mobiledata_outlined=material/four_g_plus_mobiledata_outlined.png f4ff.codepoint=four_g_plus_mobiledata_rounded four_g_plus_mobiledata_rounded=material/four_g_plus_mobiledata_rounded.png e720.codepoint=four_g_plus_mobiledata_sharp four_g_plus_mobiledata_sharp=material/four_g_plus_mobiledata_sharp.png e021.codepoint=four_k four_k=material/four_k.png ee13.codepoint=four_k_outlined four_k_outlined=material/four_k_outlined.png e022.codepoint=four_k_plus four_k_plus=material/four_k_plus.png ee14.codepoint=four_k_plus_outlined four_k_plus_outlined=material/four_k_plus_outlined.png f500.codepoint=four_k_plus_rounded four_k_plus_rounded=material/four_k_plus_rounded.png e721.codepoint=four_k_plus_sharp four_k_plus_sharp=material/four_k_plus_sharp.png f501.codepoint=four_k_rounded four_k_rounded=material/four_k_rounded.png e722.codepoint=four_k_sharp four_k_sharp=material/four_k_sharp.png e023.codepoint=four_mp four_mp=material/four_mp.png ee15.codepoint=four_mp_outlined four_mp_outlined=material/four_mp_outlined.png f502.codepoint=four_mp_rounded four_mp_rounded=material/four_mp_rounded.png e723.codepoint=four_mp_sharp four_mp_sharp=material/four_mp_sharp.png e005.codepoint=fourteen_mp fourteen_mp=material/fourteen_mp.png edf7.codepoint=fourteen_mp_outlined fourteen_mp_outlined=material/fourteen_mp_outlined.png f4e4.codepoint=fourteen_mp_rounded fourteen_mp_rounded=material/fourteen_mp_rounded.png e705.codepoint=fourteen_mp_sharp fourteen_mp_sharp=material/fourteen_mp_sharp.png e2ca.codepoint=free_breakfast free_breakfast=material/free_breakfast.png f0b7.codepoint=free_breakfast_outlined free_breakfast_outlined=material/free_breakfast_outlined.png f7a4.codepoint=free_breakfast_rounded free_breakfast_rounded=material/free_breakfast_rounded.png e9c5.codepoint=free_breakfast_sharp free_breakfast_sharp=material/free_breakfast_sharp.png f050f.codepoint=free_cancellation free_cancellation=material/free_cancellation.png f0608.codepoint=free_cancellation_outlined free_cancellation_outlined=material/free_cancellation_outlined.png f0327.codepoint=free_cancellation_rounded free_cancellation_rounded=material/free_cancellation_rounded.png f041a.codepoint=free_cancellation_sharp free_cancellation_sharp=material/free_cancellation_sharp.png f0510.codepoint=front_hand front_hand=material/front_hand.png f0609.codepoint=front_hand_outlined front_hand_outlined=material/front_hand_outlined.png f0328.codepoint=front_hand_rounded front_hand_rounded=material/front_hand_rounded.png f041b.codepoint=front_hand_sharp front_hand_sharp=material/front_hand_sharp.png e2cb.codepoint=fullscreen fullscreen=material/fullscreen.png e2cc.codepoint=fullscreen_exit fullscreen_exit=material/fullscreen_exit.png f0b8.codepoint=fullscreen_exit_outlined fullscreen_exit_outlined=material/fullscreen_exit_outlined.png f7a5.codepoint=fullscreen_exit_rounded fullscreen_exit_rounded=material/fullscreen_exit_rounded.png e9c6.codepoint=fullscreen_exit_sharp fullscreen_exit_sharp=material/fullscreen_exit_sharp.png f0b9.codepoint=fullscreen_outlined fullscreen_outlined=material/fullscreen_outlined.png f7a6.codepoint=fullscreen_rounded fullscreen_rounded=material/fullscreen_rounded.png e9c7.codepoint=fullscreen_sharp fullscreen_sharp=material/fullscreen_sharp.png e2cd.codepoint=functions functions=material/functions.png f0ba.codepoint=functions_outlined functions_outlined=material/functions_outlined.png f7a7.codepoint=functions_rounded functions_rounded=material/functions_rounded.png e9c8.codepoint=functions_sharp functions_sharp=material/functions_sharp.png e2ce.codepoint=g_mobiledata g_mobiledata=material/g_mobiledata.png f0bb.codepoint=g_mobiledata_outlined g_mobiledata_outlined=material/g_mobiledata_outlined.png f7a8.codepoint=g_mobiledata_rounded g_mobiledata_rounded=material/g_mobiledata_rounded.png e9c9.codepoint=g_mobiledata_sharp g_mobiledata_sharp=material/g_mobiledata_sharp.png e2cf.codepoint=g_translate g_translate=material/g_translate.png f0bc.codepoint=g_translate_outlined g_translate_outlined=material/g_translate_outlined.png f7a9.codepoint=g_translate_rounded g_translate_rounded=material/g_translate_rounded.png e9ca.codepoint=g_translate_sharp g_translate_sharp=material/g_translate_sharp.png e2d0.codepoint=gamepad gamepad=material/gamepad.png f0bd.codepoint=gamepad_outlined gamepad_outlined=material/gamepad_outlined.png f7aa.codepoint=gamepad_rounded gamepad_rounded=material/gamepad_rounded.png e9cb.codepoint=gamepad_sharp gamepad_sharp=material/gamepad_sharp.png e2d1.codepoint=games games=material/games.png f0be.codepoint=games_outlined games_outlined=material/games_outlined.png f7ab.codepoint=games_rounded games_rounded=material/games_rounded.png e9cc.codepoint=games_sharp games_sharp=material/games_sharp.png e2d2.codepoint=garage garage=material/garage.png f0bf.codepoint=garage_outlined garage_outlined=material/garage_outlined.png f7ac.codepoint=garage_rounded garage_rounded=material/garage_rounded.png e9cd.codepoint=garage_sharp garage_sharp=material/garage_sharp.png f07a4.codepoint=gas_meter gas_meter=material/gas_meter.png f06f4.codepoint=gas_meter_outlined gas_meter_outlined=material/gas_meter_outlined.png f07fc.codepoint=gas_meter_rounded gas_meter_rounded=material/gas_meter_rounded.png f074c.codepoint=gas_meter_sharp gas_meter_sharp=material/gas_meter_sharp.png e2d3.codepoint=gavel gavel=material/gavel.png f0c0.codepoint=gavel_outlined gavel_outlined=material/gavel_outlined.png f7ad.codepoint=gavel_rounded gavel_rounded=material/gavel_rounded.png e9ce.codepoint=gavel_sharp gavel_sharp=material/gavel_sharp.png f0511.codepoint=generating_tokens generating_tokens=material/generating_tokens.png f060a.codepoint=generating_tokens_outlined generating_tokens_outlined=material/generating_tokens_outlined.png f0329.codepoint=generating_tokens_rounded generating_tokens_rounded=material/generating_tokens_rounded.png f041c.codepoint=generating_tokens_sharp generating_tokens_sharp=material/generating_tokens_sharp.png e2d4.codepoint=gesture gesture=material/gesture.png f0c1.codepoint=gesture_outlined gesture_outlined=material/gesture_outlined.png f7ae.codepoint=gesture_rounded gesture_rounded=material/gesture_rounded.png e9cf.codepoint=gesture_sharp gesture_sharp=material/gesture_sharp.png e2d5.codepoint=get_app get_app=material/get_app.png f0c2.codepoint=get_app_outlined get_app_outlined=material/get_app_outlined.png f7af.codepoint=get_app_rounded get_app_rounded=material/get_app_rounded.png e9d0.codepoint=get_app_sharp get_app_sharp=material/get_app_sharp.png e2d6.codepoint=gif gif=material/gif.png f0512.codepoint=gif_box gif_box=material/gif_box.png f060b.codepoint=gif_box_outlined gif_box_outlined=material/gif_box_outlined.png f032a.codepoint=gif_box_rounded gif_box_rounded=material/gif_box_rounded.png f041d.codepoint=gif_box_sharp gif_box_sharp=material/gif_box_sharp.png f0c3.codepoint=gif_outlined gif_outlined=material/gif_outlined.png f7b0.codepoint=gif_rounded gif_rounded=material/gif_rounded.png e9d1.codepoint=gif_sharp gif_sharp=material/gif_sharp.png f0513.codepoint=girl girl=material/girl.png f060c.codepoint=girl_outlined girl_outlined=material/girl_outlined.png f032b.codepoint=girl_rounded girl_rounded=material/girl_rounded.png f041e.codepoint=girl_sharp girl_sharp=material/girl_sharp.png e2d7.codepoint=gite gite=material/gite.png f0c4.codepoint=gite_outlined gite_outlined=material/gite_outlined.png f7b1.codepoint=gite_rounded gite_rounded=material/gite_rounded.png e9d2.codepoint=gite_sharp gite_sharp=material/gite_sharp.png e2d8.codepoint=golf_course golf_course=material/golf_course.png f0c5.codepoint=golf_course_outlined golf_course_outlined=material/golf_course_outlined.png f7b2.codepoint=golf_course_rounded golf_course_rounded=material/golf_course_rounded.png e9d3.codepoint=golf_course_sharp golf_course_sharp=material/golf_course_sharp.png e2d9.codepoint=gpp_bad gpp_bad=material/gpp_bad.png f0c6.codepoint=gpp_bad_outlined gpp_bad_outlined=material/gpp_bad_outlined.png f7b3.codepoint=gpp_bad_rounded gpp_bad_rounded=material/gpp_bad_rounded.png e9d4.codepoint=gpp_bad_sharp gpp_bad_sharp=material/gpp_bad_sharp.png e2da.codepoint=gpp_good gpp_good=material/gpp_good.png f0c7.codepoint=gpp_good_outlined gpp_good_outlined=material/gpp_good_outlined.png f7b4.codepoint=gpp_good_rounded gpp_good_rounded=material/gpp_good_rounded.png e9d5.codepoint=gpp_good_sharp gpp_good_sharp=material/gpp_good_sharp.png e2db.codepoint=gpp_maybe gpp_maybe=material/gpp_maybe.png f0c8.codepoint=gpp_maybe_outlined gpp_maybe_outlined=material/gpp_maybe_outlined.png f7b5.codepoint=gpp_maybe_rounded gpp_maybe_rounded=material/gpp_maybe_rounded.png e9d6.codepoint=gpp_maybe_sharp gpp_maybe_sharp=material/gpp_maybe_sharp.png e2dc.codepoint=gps_fixed gps_fixed=material/gps_fixed.png f0c9.codepoint=gps_fixed_outlined gps_fixed_outlined=material/gps_fixed_outlined.png f7b6.codepoint=gps_fixed_rounded gps_fixed_rounded=material/gps_fixed_rounded.png e9d7.codepoint=gps_fixed_sharp gps_fixed_sharp=material/gps_fixed_sharp.png e2dd.codepoint=gps_not_fixed gps_not_fixed=material/gps_not_fixed.png f0ca.codepoint=gps_not_fixed_outlined gps_not_fixed_outlined=material/gps_not_fixed_outlined.png f7b7.codepoint=gps_not_fixed_rounded gps_not_fixed_rounded=material/gps_not_fixed_rounded.png e9d8.codepoint=gps_not_fixed_sharp gps_not_fixed_sharp=material/gps_not_fixed_sharp.png e2de.codepoint=gps_off gps_off=material/gps_off.png f0cb.codepoint=gps_off_outlined gps_off_outlined=material/gps_off_outlined.png f7b8.codepoint=gps_off_rounded gps_off_rounded=material/gps_off_rounded.png e9d9.codepoint=gps_off_sharp gps_off_sharp=material/gps_off_sharp.png e2df.codepoint=grade grade=material/grade.png f0cc.codepoint=grade_outlined grade_outlined=material/grade_outlined.png f7b9.codepoint=grade_rounded grade_rounded=material/grade_rounded.png e9da.codepoint=grade_sharp grade_sharp=material/grade_sharp.png e2e0.codepoint=gradient gradient=material/gradient.png f0cd.codepoint=gradient_outlined gradient_outlined=material/gradient_outlined.png f7ba.codepoint=gradient_rounded gradient_rounded=material/gradient_rounded.png e9db.codepoint=gradient_sharp gradient_sharp=material/gradient_sharp.png e2e1.codepoint=grading grading=material/grading.png f0ce.codepoint=grading_outlined grading_outlined=material/grading_outlined.png f7bb.codepoint=grading_rounded grading_rounded=material/grading_rounded.png e9dc.codepoint=grading_sharp grading_sharp=material/grading_sharp.png e2e2.codepoint=grain grain=material/grain.png f0cf.codepoint=grain_outlined grain_outlined=material/grain_outlined.png f7bc.codepoint=grain_rounded grain_rounded=material/grain_rounded.png e9dd.codepoint=grain_sharp grain_sharp=material/grain_sharp.png e2e3.codepoint=graphic_eq graphic_eq=material/graphic_eq.png f0d0.codepoint=graphic_eq_outlined graphic_eq_outlined=material/graphic_eq_outlined.png f7bd.codepoint=graphic_eq_rounded graphic_eq_rounded=material/graphic_eq_rounded.png e9de.codepoint=graphic_eq_sharp graphic_eq_sharp=material/graphic_eq_sharp.png e2e4.codepoint=grass grass=material/grass.png f0d1.codepoint=grass_outlined grass_outlined=material/grass_outlined.png f7be.codepoint=grass_rounded grass_rounded=material/grass_rounded.png e9df.codepoint=grass_sharp grass_sharp=material/grass_sharp.png e2e5.codepoint=grid_3x3 grid_3x3=material/grid_3x3.png f0d2.codepoint=grid_3x3_outlined grid_3x3_outlined=material/grid_3x3_outlined.png f7bf.codepoint=grid_3x3_rounded grid_3x3_rounded=material/grid_3x3_rounded.png e9e0.codepoint=grid_3x3_sharp grid_3x3_sharp=material/grid_3x3_sharp.png e2e6.codepoint=grid_4x4 grid_4x4=material/grid_4x4.png f0d3.codepoint=grid_4x4_outlined grid_4x4_outlined=material/grid_4x4_outlined.png f7c0.codepoint=grid_4x4_rounded grid_4x4_rounded=material/grid_4x4_rounded.png e9e1.codepoint=grid_4x4_sharp grid_4x4_sharp=material/grid_4x4_sharp.png e2e7.codepoint=grid_goldenratio grid_goldenratio=material/grid_goldenratio.png f0d4.codepoint=grid_goldenratio_outlined grid_goldenratio_outlined=material/grid_goldenratio_outlined.png f7c1.codepoint=grid_goldenratio_rounded grid_goldenratio_rounded=material/grid_goldenratio_rounded.png e9e2.codepoint=grid_goldenratio_sharp grid_goldenratio_sharp=material/grid_goldenratio_sharp.png e2e8.codepoint=grid_off grid_off=material/grid_off.png f0d5.codepoint=grid_off_outlined grid_off_outlined=material/grid_off_outlined.png f7c2.codepoint=grid_off_rounded grid_off_rounded=material/grid_off_rounded.png e9e3.codepoint=grid_off_sharp grid_off_sharp=material/grid_off_sharp.png e2e9.codepoint=grid_on grid_on=material/grid_on.png f0d6.codepoint=grid_on_outlined grid_on_outlined=material/grid_on_outlined.png f7c3.codepoint=grid_on_rounded grid_on_rounded=material/grid_on_rounded.png e9e4.codepoint=grid_on_sharp grid_on_sharp=material/grid_on_sharp.png e2ea.codepoint=grid_view grid_view=material/grid_view.png f0d7.codepoint=grid_view_outlined grid_view_outlined=material/grid_view_outlined.png f7c4.codepoint=grid_view_rounded grid_view_rounded=material/grid_view_rounded.png e9e5.codepoint=grid_view_sharp grid_view_sharp=material/grid_view_sharp.png e2eb.codepoint=group group=material/group.png e2ec.codepoint=group_add group_add=material/group_add.png f0d8.codepoint=group_add_outlined group_add_outlined=material/group_add_outlined.png f7c5.codepoint=group_add_rounded group_add_rounded=material/group_add_rounded.png e9e6.codepoint=group_add_sharp group_add_sharp=material/group_add_sharp.png f0514.codepoint=group_off group_off=material/group_off.png f060d.codepoint=group_off_outlined group_off_outlined=material/group_off_outlined.png f032c.codepoint=group_off_rounded group_off_rounded=material/group_off_rounded.png f041f.codepoint=group_off_sharp group_off_sharp=material/group_off_sharp.png f0d9.codepoint=group_outlined group_outlined=material/group_outlined.png f0515.codepoint=group_remove group_remove=material/group_remove.png f060e.codepoint=group_remove_outlined group_remove_outlined=material/group_remove_outlined.png f032d.codepoint=group_remove_rounded group_remove_rounded=material/group_remove_rounded.png f0420.codepoint=group_remove_sharp group_remove_sharp=material/group_remove_sharp.png f7c6.codepoint=group_rounded group_rounded=material/group_rounded.png e9e7.codepoint=group_sharp group_sharp=material/group_sharp.png e2ed.codepoint=group_work group_work=material/group_work.png f0da.codepoint=group_work_outlined group_work_outlined=material/group_work_outlined.png f7c7.codepoint=group_work_rounded group_work_rounded=material/group_work_rounded.png e9e8.codepoint=group_work_sharp group_work_sharp=material/group_work_sharp.png e2ee.codepoint=groups groups=material/groups.png f0db.codepoint=groups_outlined groups_outlined=material/groups_outlined.png f7c8.codepoint=groups_rounded groups_rounded=material/groups_rounded.png e9e9.codepoint=groups_sharp groups_sharp=material/groups_sharp.png e2ef.codepoint=h_mobiledata h_mobiledata=material/h_mobiledata.png f0dc.codepoint=h_mobiledata_outlined h_mobiledata_outlined=material/h_mobiledata_outlined.png f7c9.codepoint=h_mobiledata_rounded h_mobiledata_rounded=material/h_mobiledata_rounded.png e9ea.codepoint=h_mobiledata_sharp h_mobiledata_sharp=material/h_mobiledata_sharp.png e2f0.codepoint=h_plus_mobiledata h_plus_mobiledata=material/h_plus_mobiledata.png f0dd.codepoint=h_plus_mobiledata_outlined h_plus_mobiledata_outlined=material/h_plus_mobiledata_outlined.png f7ca.codepoint=h_plus_mobiledata_rounded h_plus_mobiledata_rounded=material/h_plus_mobiledata_rounded.png e9eb.codepoint=h_plus_mobiledata_sharp h_plus_mobiledata_sharp=material/h_plus_mobiledata_sharp.png e2f1.codepoint=hail hail=material/hail.png f0de.codepoint=hail_outlined hail_outlined=material/hail_outlined.png f7cb.codepoint=hail_rounded hail_rounded=material/hail_rounded.png e9ec.codepoint=hail_sharp hail_sharp=material/hail_sharp.png f06be.codepoint=handshake handshake=material/handshake.png f06a4.codepoint=handshake_outlined handshake_outlined=material/handshake_outlined.png f06cb.codepoint=handshake_rounded handshake_rounded=material/handshake_rounded.png f06b1.codepoint=handshake_sharp handshake_sharp=material/handshake_sharp.png e2f2.codepoint=handyman handyman=material/handyman.png f0df.codepoint=handyman_outlined handyman_outlined=material/handyman_outlined.png f7cc.codepoint=handyman_rounded handyman_rounded=material/handyman_rounded.png e9ed.codepoint=handyman_sharp handyman_sharp=material/handyman_sharp.png e2f3.codepoint=hardware hardware=material/hardware.png f0e0.codepoint=hardware_outlined hardware_outlined=material/hardware_outlined.png f7cd.codepoint=hardware_rounded hardware_rounded=material/hardware_rounded.png e9ee.codepoint=hardware_sharp hardware_sharp=material/hardware_sharp.png e2f4.codepoint=hd hd=material/hd.png f0e1.codepoint=hd_outlined hd_outlined=material/hd_outlined.png f7ce.codepoint=hd_rounded hd_rounded=material/hd_rounded.png e9ef.codepoint=hd_sharp hd_sharp=material/hd_sharp.png e2f5.codepoint=hdr_auto hdr_auto=material/hdr_auto.png f0e2.codepoint=hdr_auto_outlined hdr_auto_outlined=material/hdr_auto_outlined.png f7cf.codepoint=hdr_auto_rounded hdr_auto_rounded=material/hdr_auto_rounded.png e2f6.codepoint=hdr_auto_select hdr_auto_select=material/hdr_auto_select.png f0e3.codepoint=hdr_auto_select_outlined hdr_auto_select_outlined=material/hdr_auto_select_outlined.png f7d0.codepoint=hdr_auto_select_rounded hdr_auto_select_rounded=material/hdr_auto_select_rounded.png e9f0.codepoint=hdr_auto_select_sharp hdr_auto_select_sharp=material/hdr_auto_select_sharp.png e9f1.codepoint=hdr_auto_sharp hdr_auto_sharp=material/hdr_auto_sharp.png e2f7.codepoint=hdr_enhanced_select hdr_enhanced_select=material/hdr_enhanced_select.png f0e4.codepoint=hdr_enhanced_select_outlined hdr_enhanced_select_outlined=material/hdr_enhanced_select_outlined.png f7d1.codepoint=hdr_enhanced_select_rounded hdr_enhanced_select_rounded=material/hdr_enhanced_select_rounded.png e9f2.codepoint=hdr_enhanced_select_sharp hdr_enhanced_select_sharp=material/hdr_enhanced_select_sharp.png e2f8.codepoint=hdr_off hdr_off=material/hdr_off.png f0e5.codepoint=hdr_off_outlined hdr_off_outlined=material/hdr_off_outlined.png f7d2.codepoint=hdr_off_rounded hdr_off_rounded=material/hdr_off_rounded.png e2f9.codepoint=hdr_off_select hdr_off_select=material/hdr_off_select.png f0e6.codepoint=hdr_off_select_outlined hdr_off_select_outlined=material/hdr_off_select_outlined.png f7d3.codepoint=hdr_off_select_rounded hdr_off_select_rounded=material/hdr_off_select_rounded.png e9f3.codepoint=hdr_off_select_sharp hdr_off_select_sharp=material/hdr_off_select_sharp.png e9f4.codepoint=hdr_off_sharp hdr_off_sharp=material/hdr_off_sharp.png e2fa.codepoint=hdr_on hdr_on=material/hdr_on.png f0e7.codepoint=hdr_on_outlined hdr_on_outlined=material/hdr_on_outlined.png f7d4.codepoint=hdr_on_rounded hdr_on_rounded=material/hdr_on_rounded.png e2fb.codepoint=hdr_on_select hdr_on_select=material/hdr_on_select.png f0e8.codepoint=hdr_on_select_outlined hdr_on_select_outlined=material/hdr_on_select_outlined.png f7d5.codepoint=hdr_on_select_rounded hdr_on_select_rounded=material/hdr_on_select_rounded.png e9f5.codepoint=hdr_on_select_sharp hdr_on_select_sharp=material/hdr_on_select_sharp.png e9f6.codepoint=hdr_on_sharp hdr_on_sharp=material/hdr_on_sharp.png e2fc.codepoint=hdr_plus hdr_plus=material/hdr_plus.png f0e9.codepoint=hdr_plus_outlined hdr_plus_outlined=material/hdr_plus_outlined.png f7d6.codepoint=hdr_plus_rounded hdr_plus_rounded=material/hdr_plus_rounded.png e9f7.codepoint=hdr_plus_sharp hdr_plus_sharp=material/hdr_plus_sharp.png e2fd.codepoint=hdr_strong hdr_strong=material/hdr_strong.png f0ea.codepoint=hdr_strong_outlined hdr_strong_outlined=material/hdr_strong_outlined.png f7d7.codepoint=hdr_strong_rounded hdr_strong_rounded=material/hdr_strong_rounded.png e9f8.codepoint=hdr_strong_sharp hdr_strong_sharp=material/hdr_strong_sharp.png e2fe.codepoint=hdr_weak hdr_weak=material/hdr_weak.png f0eb.codepoint=hdr_weak_outlined hdr_weak_outlined=material/hdr_weak_outlined.png f7d8.codepoint=hdr_weak_rounded hdr_weak_rounded=material/hdr_weak_rounded.png e9f9.codepoint=hdr_weak_sharp hdr_weak_sharp=material/hdr_weak_sharp.png e2ff.codepoint=headphones headphones=material/headphones.png e300.codepoint=headphones_battery headphones_battery=material/headphones_battery.png f0ec.codepoint=headphones_battery_outlined headphones_battery_outlined=material/headphones_battery_outlined.png f7d9.codepoint=headphones_battery_rounded headphones_battery_rounded=material/headphones_battery_rounded.png e9fa.codepoint=headphones_battery_sharp headphones_battery_sharp=material/headphones_battery_sharp.png f0ed.codepoint=headphones_outlined headphones_outlined=material/headphones_outlined.png f7da.codepoint=headphones_rounded headphones_rounded=material/headphones_rounded.png e9fb.codepoint=headphones_sharp headphones_sharp=material/headphones_sharp.png e301.codepoint=headset headset=material/headset.png e302.codepoint=headset_mic headset_mic=material/headset_mic.png f0ee.codepoint=headset_mic_outlined headset_mic_outlined=material/headset_mic_outlined.png f7db.codepoint=headset_mic_rounded headset_mic_rounded=material/headset_mic_rounded.png e9fc.codepoint=headset_mic_sharp headset_mic_sharp=material/headset_mic_sharp.png e303.codepoint=headset_off headset_off=material/headset_off.png f0ef.codepoint=headset_off_outlined headset_off_outlined=material/headset_off_outlined.png f7dc.codepoint=headset_off_rounded headset_off_rounded=material/headset_off_rounded.png e9fd.codepoint=headset_off_sharp headset_off_sharp=material/headset_off_sharp.png f0f0.codepoint=headset_outlined headset_outlined=material/headset_outlined.png f7dd.codepoint=headset_rounded headset_rounded=material/headset_rounded.png e9fe.codepoint=headset_sharp headset_sharp=material/headset_sharp.png e304.codepoint=healing healing=material/healing.png f0f1.codepoint=healing_outlined healing_outlined=material/healing_outlined.png f7de.codepoint=healing_rounded healing_rounded=material/healing_rounded.png e9ff.codepoint=healing_sharp healing_sharp=material/healing_sharp.png e305.codepoint=health_and_safety health_and_safety=material/health_and_safety.png f0f2.codepoint=health_and_safety_outlined health_and_safety_outlined=material/health_and_safety_outlined.png f7df.codepoint=health_and_safety_rounded health_and_safety_rounded=material/health_and_safety_rounded.png ea00.codepoint=health_and_safety_sharp health_and_safety_sharp=material/health_and_safety_sharp.png e306.codepoint=hearing hearing=material/hearing.png e307.codepoint=hearing_disabled hearing_disabled=material/hearing_disabled.png f0f3.codepoint=hearing_disabled_outlined hearing_disabled_outlined=material/hearing_disabled_outlined.png f7e0.codepoint=hearing_disabled_rounded hearing_disabled_rounded=material/hearing_disabled_rounded.png ea01.codepoint=hearing_disabled_sharp hearing_disabled_sharp=material/hearing_disabled_sharp.png f0f4.codepoint=hearing_outlined hearing_outlined=material/hearing_outlined.png f7e1.codepoint=hearing_rounded hearing_rounded=material/hearing_rounded.png ea02.codepoint=hearing_sharp hearing_sharp=material/hearing_sharp.png f0516.codepoint=heart_broken heart_broken=material/heart_broken.png f060f.codepoint=heart_broken_outlined heart_broken_outlined=material/heart_broken_outlined.png f032e.codepoint=heart_broken_rounded heart_broken_rounded=material/heart_broken_rounded.png f0421.codepoint=heart_broken_sharp heart_broken_sharp=material/heart_broken_sharp.png f07a5.codepoint=heat_pump heat_pump=material/heat_pump.png f06f5.codepoint=heat_pump_outlined heat_pump_outlined=material/heat_pump_outlined.png f07fd.codepoint=heat_pump_rounded heat_pump_rounded=material/heat_pump_rounded.png f074d.codepoint=heat_pump_sharp heat_pump_sharp=material/heat_pump_sharp.png e308.codepoint=height height=material/height.png f0f5.codepoint=height_outlined height_outlined=material/height_outlined.png f7e2.codepoint=height_rounded height_rounded=material/height_rounded.png ea03.codepoint=height_sharp height_sharp=material/height_sharp.png e309.codepoint=help help=material/help.png e30a.codepoint=help_center help_center=material/help_center.png f0f6.codepoint=help_center_outlined help_center_outlined=material/help_center_outlined.png f7e3.codepoint=help_center_rounded help_center_rounded=material/help_center_rounded.png ea04.codepoint=help_center_sharp help_center_sharp=material/help_center_sharp.png e30b.codepoint=help_outline help_outline=material/help_outline.png f0f7.codepoint=help_outline_outlined help_outline_outlined=material/help_outline_outlined.png f7e4.codepoint=help_outline_rounded help_outline_rounded=material/help_outline_rounded.png ea05.codepoint=help_outline_sharp help_outline_sharp=material/help_outline_sharp.png f0f8.codepoint=help_outlined help_outlined=material/help_outlined.png f7e5.codepoint=help_rounded help_rounded=material/help_rounded.png ea06.codepoint=help_sharp help_sharp=material/help_sharp.png e30c.codepoint=hevc hevc=material/hevc.png f0f9.codepoint=hevc_outlined hevc_outlined=material/hevc_outlined.png f7e6.codepoint=hevc_rounded hevc_rounded=material/hevc_rounded.png ea07.codepoint=hevc_sharp hevc_sharp=material/hevc_sharp.png f0517.codepoint=hexagon hexagon=material/hexagon.png f0610.codepoint=hexagon_outlined hexagon_outlined=material/hexagon_outlined.png f032f.codepoint=hexagon_rounded hexagon_rounded=material/hexagon_rounded.png f0422.codepoint=hexagon_sharp hexagon_sharp=material/hexagon_sharp.png e30d.codepoint=hide_image hide_image=material/hide_image.png f0fa.codepoint=hide_image_outlined hide_image_outlined=material/hide_image_outlined.png f7e7.codepoint=hide_image_rounded hide_image_rounded=material/hide_image_rounded.png ea08.codepoint=hide_image_sharp hide_image_sharp=material/hide_image_sharp.png e30e.codepoint=hide_source hide_source=material/hide_source.png f0fb.codepoint=hide_source_outlined hide_source_outlined=material/hide_source_outlined.png f7e8.codepoint=hide_source_rounded hide_source_rounded=material/hide_source_rounded.png ea09.codepoint=hide_source_sharp hide_source_sharp=material/hide_source_sharp.png e30f.codepoint=high_quality high_quality=material/high_quality.png f0fc.codepoint=high_quality_outlined high_quality_outlined=material/high_quality_outlined.png f7e9.codepoint=high_quality_rounded high_quality_rounded=material/high_quality_rounded.png ea0a.codepoint=high_quality_sharp high_quality_sharp=material/high_quality_sharp.png e310.codepoint=highlight highlight=material/highlight.png e311.codepoint=highlight_alt highlight_alt=material/highlight_alt.png f0fd.codepoint=highlight_alt_outlined highlight_alt_outlined=material/highlight_alt_outlined.png f7ea.codepoint=highlight_alt_rounded highlight_alt_rounded=material/highlight_alt_rounded.png ea0b.codepoint=highlight_alt_sharp highlight_alt_sharp=material/highlight_alt_sharp.png e312.codepoint=highlight_off highlight_off=material/highlight_off.png f0fe.codepoint=highlight_off_outlined highlight_off_outlined=material/highlight_off_outlined.png f7eb.codepoint=highlight_off_rounded highlight_off_rounded=material/highlight_off_rounded.png ea0c.codepoint=highlight_off_sharp highlight_off_sharp=material/highlight_off_sharp.png f0ff.codepoint=highlight_outlined highlight_outlined=material/highlight_outlined.png # e312.codepoint=highlight_remove highlight_remove=material/highlight_remove.png # f0fe.codepoint=highlight_remove_outlined highlight_remove_outlined=material/highlight_remove_outlined.png # f7eb.codepoint=highlight_remove_rounded highlight_remove_rounded=material/highlight_remove_rounded.png # ea0c.codepoint=highlight_remove_sharp highlight_remove_sharp=material/highlight_remove_sharp.png f7ec.codepoint=highlight_rounded highlight_rounded=material/highlight_rounded.png ea0d.codepoint=highlight_sharp highlight_sharp=material/highlight_sharp.png e313.codepoint=hiking hiking=material/hiking.png f100.codepoint=hiking_outlined hiking_outlined=material/hiking_outlined.png f7ed.codepoint=hiking_rounded hiking_rounded=material/hiking_rounded.png ea0e.codepoint=hiking_sharp hiking_sharp=material/hiking_sharp.png e314.codepoint=history history=material/history.png e315.codepoint=history_edu history_edu=material/history_edu.png f101.codepoint=history_edu_outlined history_edu_outlined=material/history_edu_outlined.png f7ee.codepoint=history_edu_rounded history_edu_rounded=material/history_edu_rounded.png ea0f.codepoint=history_edu_sharp history_edu_sharp=material/history_edu_sharp.png f102.codepoint=history_outlined history_outlined=material/history_outlined.png f7ef.codepoint=history_rounded history_rounded=material/history_rounded.png ea10.codepoint=history_sharp history_sharp=material/history_sharp.png e316.codepoint=history_toggle_off history_toggle_off=material/history_toggle_off.png f103.codepoint=history_toggle_off_outlined history_toggle_off_outlined=material/history_toggle_off_outlined.png f7f0.codepoint=history_toggle_off_rounded history_toggle_off_rounded=material/history_toggle_off_rounded.png ea11.codepoint=history_toggle_off_sharp history_toggle_off_sharp=material/history_toggle_off_sharp.png f0518.codepoint=hive hive=material/hive.png f0611.codepoint=hive_outlined hive_outlined=material/hive_outlined.png f0330.codepoint=hive_rounded hive_rounded=material/hive_rounded.png f0423.codepoint=hive_sharp hive_sharp=material/hive_sharp.png f0519.codepoint=hls hls=material/hls.png f051a.codepoint=hls_off hls_off=material/hls_off.png f0612.codepoint=hls_off_outlined hls_off_outlined=material/hls_off_outlined.png f0331.codepoint=hls_off_rounded hls_off_rounded=material/hls_off_rounded.png f0424.codepoint=hls_off_sharp hls_off_sharp=material/hls_off_sharp.png f0613.codepoint=hls_outlined hls_outlined=material/hls_outlined.png f0332.codepoint=hls_rounded hls_rounded=material/hls_rounded.png f0425.codepoint=hls_sharp hls_sharp=material/hls_sharp.png e317.codepoint=holiday_village holiday_village=material/holiday_village.png f104.codepoint=holiday_village_outlined holiday_village_outlined=material/holiday_village_outlined.png f7f1.codepoint=holiday_village_rounded holiday_village_rounded=material/holiday_village_rounded.png ea12.codepoint=holiday_village_sharp holiday_village_sharp=material/holiday_village_sharp.png e318.codepoint=home home=material/home.png e319.codepoint=home_filled home_filled=material/home_filled.png e31a.codepoint=home_max home_max=material/home_max.png f105.codepoint=home_max_outlined home_max_outlined=material/home_max_outlined.png f7f2.codepoint=home_max_rounded home_max_rounded=material/home_max_rounded.png ea13.codepoint=home_max_sharp home_max_sharp=material/home_max_sharp.png e31b.codepoint=home_mini home_mini=material/home_mini.png f106.codepoint=home_mini_outlined home_mini_outlined=material/home_mini_outlined.png f7f3.codepoint=home_mini_rounded home_mini_rounded=material/home_mini_rounded.png ea14.codepoint=home_mini_sharp home_mini_sharp=material/home_mini_sharp.png f107.codepoint=home_outlined home_outlined=material/home_outlined.png e31c.codepoint=home_repair_service home_repair_service=material/home_repair_service.png f108.codepoint=home_repair_service_outlined home_repair_service_outlined=material/home_repair_service_outlined.png f7f4.codepoint=home_repair_service_rounded home_repair_service_rounded=material/home_repair_service_rounded.png ea15.codepoint=home_repair_service_sharp home_repair_service_sharp=material/home_repair_service_sharp.png f7f5.codepoint=home_rounded home_rounded=material/home_rounded.png ea16.codepoint=home_sharp home_sharp=material/home_sharp.png e31d.codepoint=home_work home_work=material/home_work.png f109.codepoint=home_work_outlined home_work_outlined=material/home_work_outlined.png f7f6.codepoint=home_work_rounded home_work_rounded=material/home_work_rounded.png ea17.codepoint=home_work_sharp home_work_sharp=material/home_work_sharp.png e31e.codepoint=horizontal_distribute horizontal_distribute=material/horizontal_distribute.png f10a.codepoint=horizontal_distribute_outlined horizontal_distribute_outlined=material/horizontal_distribute_outlined.png f7f7.codepoint=horizontal_distribute_rounded horizontal_distribute_rounded=material/horizontal_distribute_rounded.png ea18.codepoint=horizontal_distribute_sharp horizontal_distribute_sharp=material/horizontal_distribute_sharp.png e31f.codepoint=horizontal_rule horizontal_rule=material/horizontal_rule.png f10b.codepoint=horizontal_rule_outlined horizontal_rule_outlined=material/horizontal_rule_outlined.png f7f8.codepoint=horizontal_rule_rounded horizontal_rule_rounded=material/horizontal_rule_rounded.png ea19.codepoint=horizontal_rule_sharp horizontal_rule_sharp=material/horizontal_rule_sharp.png e320.codepoint=horizontal_split horizontal_split=material/horizontal_split.png f10c.codepoint=horizontal_split_outlined horizontal_split_outlined=material/horizontal_split_outlined.png f7f9.codepoint=horizontal_split_rounded horizontal_split_rounded=material/horizontal_split_rounded.png ea1a.codepoint=horizontal_split_sharp horizontal_split_sharp=material/horizontal_split_sharp.png e321.codepoint=hot_tub hot_tub=material/hot_tub.png f10d.codepoint=hot_tub_outlined hot_tub_outlined=material/hot_tub_outlined.png f7fa.codepoint=hot_tub_rounded hot_tub_rounded=material/hot_tub_rounded.png ea1b.codepoint=hot_tub_sharp hot_tub_sharp=material/hot_tub_sharp.png e322.codepoint=hotel hotel=material/hotel.png f051b.codepoint=hotel_class hotel_class=material/hotel_class.png f0614.codepoint=hotel_class_outlined hotel_class_outlined=material/hotel_class_outlined.png f0333.codepoint=hotel_class_rounded hotel_class_rounded=material/hotel_class_rounded.png f0426.codepoint=hotel_class_sharp hotel_class_sharp=material/hotel_class_sharp.png f10e.codepoint=hotel_outlined hotel_outlined=material/hotel_outlined.png f7fb.codepoint=hotel_rounded hotel_rounded=material/hotel_rounded.png ea1c.codepoint=hotel_sharp hotel_sharp=material/hotel_sharp.png e323.codepoint=hourglass_bottom hourglass_bottom=material/hourglass_bottom.png f10f.codepoint=hourglass_bottom_outlined hourglass_bottom_outlined=material/hourglass_bottom_outlined.png f7fc.codepoint=hourglass_bottom_rounded hourglass_bottom_rounded=material/hourglass_bottom_rounded.png ea1d.codepoint=hourglass_bottom_sharp hourglass_bottom_sharp=material/hourglass_bottom_sharp.png e324.codepoint=hourglass_disabled hourglass_disabled=material/hourglass_disabled.png f110.codepoint=hourglass_disabled_outlined hourglass_disabled_outlined=material/hourglass_disabled_outlined.png f7fd.codepoint=hourglass_disabled_rounded hourglass_disabled_rounded=material/hourglass_disabled_rounded.png ea1e.codepoint=hourglass_disabled_sharp hourglass_disabled_sharp=material/hourglass_disabled_sharp.png e325.codepoint=hourglass_empty hourglass_empty=material/hourglass_empty.png f111.codepoint=hourglass_empty_outlined hourglass_empty_outlined=material/hourglass_empty_outlined.png f7fe.codepoint=hourglass_empty_rounded hourglass_empty_rounded=material/hourglass_empty_rounded.png ea1f.codepoint=hourglass_empty_sharp hourglass_empty_sharp=material/hourglass_empty_sharp.png e326.codepoint=hourglass_full hourglass_full=material/hourglass_full.png f112.codepoint=hourglass_full_outlined hourglass_full_outlined=material/hourglass_full_outlined.png f7ff.codepoint=hourglass_full_rounded hourglass_full_rounded=material/hourglass_full_rounded.png ea20.codepoint=hourglass_full_sharp hourglass_full_sharp=material/hourglass_full_sharp.png e327.codepoint=hourglass_top hourglass_top=material/hourglass_top.png f113.codepoint=hourglass_top_outlined hourglass_top_outlined=material/hourglass_top_outlined.png f800.codepoint=hourglass_top_rounded hourglass_top_rounded=material/hourglass_top_rounded.png ea21.codepoint=hourglass_top_sharp hourglass_top_sharp=material/hourglass_top_sharp.png e328.codepoint=house house=material/house.png f114.codepoint=house_outlined house_outlined=material/house_outlined.png f801.codepoint=house_rounded house_rounded=material/house_rounded.png ea22.codepoint=house_sharp house_sharp=material/house_sharp.png e329.codepoint=house_siding house_siding=material/house_siding.png f115.codepoint=house_siding_outlined house_siding_outlined=material/house_siding_outlined.png f802.codepoint=house_siding_rounded house_siding_rounded=material/house_siding_rounded.png ea23.codepoint=house_siding_sharp house_siding_sharp=material/house_siding_sharp.png e32a.codepoint=houseboat houseboat=material/houseboat.png f116.codepoint=houseboat_outlined houseboat_outlined=material/houseboat_outlined.png f803.codepoint=houseboat_rounded houseboat_rounded=material/houseboat_rounded.png ea24.codepoint=houseboat_sharp houseboat_sharp=material/houseboat_sharp.png e32b.codepoint=how_to_reg how_to_reg=material/how_to_reg.png f117.codepoint=how_to_reg_outlined how_to_reg_outlined=material/how_to_reg_outlined.png f804.codepoint=how_to_reg_rounded how_to_reg_rounded=material/how_to_reg_rounded.png ea25.codepoint=how_to_reg_sharp how_to_reg_sharp=material/how_to_reg_sharp.png e32c.codepoint=how_to_vote how_to_vote=material/how_to_vote.png f118.codepoint=how_to_vote_outlined how_to_vote_outlined=material/how_to_vote_outlined.png f805.codepoint=how_to_vote_rounded how_to_vote_rounded=material/how_to_vote_rounded.png ea26.codepoint=how_to_vote_sharp how_to_vote_sharp=material/how_to_vote_sharp.png f051c.codepoint=html html=material/html.png f0615.codepoint=html_outlined html_outlined=material/html_outlined.png f0334.codepoint=html_rounded html_rounded=material/html_rounded.png f0427.codepoint=html_sharp html_sharp=material/html_sharp.png e32d.codepoint=http http=material/http.png f119.codepoint=http_outlined http_outlined=material/http_outlined.png f806.codepoint=http_rounded http_rounded=material/http_rounded.png ea27.codepoint=http_sharp http_sharp=material/http_sharp.png e32e.codepoint=https https=material/https.png f11a.codepoint=https_outlined https_outlined=material/https_outlined.png f807.codepoint=https_rounded https_rounded=material/https_rounded.png ea28.codepoint=https_sharp https_sharp=material/https_sharp.png f051d.codepoint=hub hub=material/hub.png f0616.codepoint=hub_outlined hub_outlined=material/hub_outlined.png f0335.codepoint=hub_rounded hub_rounded=material/hub_rounded.png f0428.codepoint=hub_sharp hub_sharp=material/hub_sharp.png e32f.codepoint=hvac hvac=material/hvac.png f11b.codepoint=hvac_outlined hvac_outlined=material/hvac_outlined.png f808.codepoint=hvac_rounded hvac_rounded=material/hvac_rounded.png ea29.codepoint=hvac_sharp hvac_sharp=material/hvac_sharp.png e330.codepoint=ice_skating ice_skating=material/ice_skating.png f11c.codepoint=ice_skating_outlined ice_skating_outlined=material/ice_skating_outlined.png f809.codepoint=ice_skating_rounded ice_skating_rounded=material/ice_skating_rounded.png ea2a.codepoint=ice_skating_sharp ice_skating_sharp=material/ice_skating_sharp.png e331.codepoint=icecream icecream=material/icecream.png f11d.codepoint=icecream_outlined icecream_outlined=material/icecream_outlined.png f80a.codepoint=icecream_rounded icecream_rounded=material/icecream_rounded.png ea2b.codepoint=icecream_sharp icecream_sharp=material/icecream_sharp.png e332.codepoint=image image=material/image.png e333.codepoint=image_aspect_ratio image_aspect_ratio=material/image_aspect_ratio.png f11e.codepoint=image_aspect_ratio_outlined image_aspect_ratio_outlined=material/image_aspect_ratio_outlined.png f80b.codepoint=image_aspect_ratio_rounded image_aspect_ratio_rounded=material/image_aspect_ratio_rounded.png ea2c.codepoint=image_aspect_ratio_sharp image_aspect_ratio_sharp=material/image_aspect_ratio_sharp.png e334.codepoint=image_not_supported image_not_supported=material/image_not_supported.png f11f.codepoint=image_not_supported_outlined image_not_supported_outlined=material/image_not_supported_outlined.png f80c.codepoint=image_not_supported_rounded image_not_supported_rounded=material/image_not_supported_rounded.png ea2d.codepoint=image_not_supported_sharp image_not_supported_sharp=material/image_not_supported_sharp.png f120.codepoint=image_outlined image_outlined=material/image_outlined.png f80d.codepoint=image_rounded image_rounded=material/image_rounded.png e335.codepoint=image_search image_search=material/image_search.png f121.codepoint=image_search_outlined image_search_outlined=material/image_search_outlined.png f80e.codepoint=image_search_rounded image_search_rounded=material/image_search_rounded.png ea2e.codepoint=image_search_sharp image_search_sharp=material/image_search_sharp.png ea2f.codepoint=image_sharp image_sharp=material/image_sharp.png e336.codepoint=imagesearch_roller imagesearch_roller=material/imagesearch_roller.png f122.codepoint=imagesearch_roller_outlined imagesearch_roller_outlined=material/imagesearch_roller_outlined.png f80f.codepoint=imagesearch_roller_rounded imagesearch_roller_rounded=material/imagesearch_roller_rounded.png ea30.codepoint=imagesearch_roller_sharp imagesearch_roller_sharp=material/imagesearch_roller_sharp.png e337.codepoint=import_contacts import_contacts=material/import_contacts.png f123.codepoint=import_contacts_outlined import_contacts_outlined=material/import_contacts_outlined.png f810.codepoint=import_contacts_rounded import_contacts_rounded=material/import_contacts_rounded.png ea31.codepoint=import_contacts_sharp import_contacts_sharp=material/import_contacts_sharp.png e338.codepoint=import_export import_export=material/import_export.png f124.codepoint=import_export_outlined import_export_outlined=material/import_export_outlined.png f811.codepoint=import_export_rounded import_export_rounded=material/import_export_rounded.png ea32.codepoint=import_export_sharp import_export_sharp=material/import_export_sharp.png e339.codepoint=important_devices important_devices=material/important_devices.png f125.codepoint=important_devices_outlined important_devices_outlined=material/important_devices_outlined.png f812.codepoint=important_devices_rounded important_devices_rounded=material/important_devices_rounded.png ea33.codepoint=important_devices_sharp important_devices_sharp=material/important_devices_sharp.png e33a.codepoint=inbox inbox=material/inbox.png f126.codepoint=inbox_outlined inbox_outlined=material/inbox_outlined.png f813.codepoint=inbox_rounded inbox_rounded=material/inbox_rounded.png ea34.codepoint=inbox_sharp inbox_sharp=material/inbox_sharp.png f051e.codepoint=incomplete_circle incomplete_circle=material/incomplete_circle.png f0617.codepoint=incomplete_circle_outlined incomplete_circle_outlined=material/incomplete_circle_outlined.png f0336.codepoint=incomplete_circle_rounded incomplete_circle_rounded=material/incomplete_circle_rounded.png f0429.codepoint=incomplete_circle_sharp incomplete_circle_sharp=material/incomplete_circle_sharp.png e33b.codepoint=indeterminate_check_box indeterminate_check_box=material/indeterminate_check_box.png f127.codepoint=indeterminate_check_box_outlined indeterminate_check_box_outlined=material/indeterminate_check_box_outlined.png f814.codepoint=indeterminate_check_box_rounded indeterminate_check_box_rounded=material/indeterminate_check_box_rounded.png ea35.codepoint=indeterminate_check_box_sharp indeterminate_check_box_sharp=material/indeterminate_check_box_sharp.png e33c.codepoint=info info=material/info.png e33d.codepoint=info_outline info_outline=material/info_outline.png f815.codepoint=info_outline_rounded info_outline_rounded=material/info_outline_rounded.png ea36.codepoint=info_outline_sharp info_outline_sharp=material/info_outline_sharp.png f128.codepoint=info_outlined info_outlined=material/info_outlined.png f816.codepoint=info_rounded info_rounded=material/info_rounded.png ea37.codepoint=info_sharp info_sharp=material/info_sharp.png e33e.codepoint=input input=material/input.png f129.codepoint=input_outlined input_outlined=material/input_outlined.png f817.codepoint=input_rounded input_rounded=material/input_rounded.png ea38.codepoint=input_sharp input_sharp=material/input_sharp.png e33f.codepoint=insert_chart insert_chart=material/insert_chart.png f12a.codepoint=insert_chart_outlined insert_chart_outlined=material/insert_chart_outlined.png f12b.codepoint=insert_chart_outlined_outlined insert_chart_outlined_outlined=material/insert_chart_outlined_outlined.png f818.codepoint=insert_chart_outlined_rounded insert_chart_outlined_rounded=material/insert_chart_outlined_rounded.png ea39.codepoint=insert_chart_outlined_sharp insert_chart_outlined_sharp=material/insert_chart_outlined_sharp.png f819.codepoint=insert_chart_rounded insert_chart_rounded=material/insert_chart_rounded.png ea3a.codepoint=insert_chart_sharp insert_chart_sharp=material/insert_chart_sharp.png e341.codepoint=insert_comment insert_comment=material/insert_comment.png f12c.codepoint=insert_comment_outlined insert_comment_outlined=material/insert_comment_outlined.png f81a.codepoint=insert_comment_rounded insert_comment_rounded=material/insert_comment_rounded.png ea3b.codepoint=insert_comment_sharp insert_comment_sharp=material/insert_comment_sharp.png e342.codepoint=insert_drive_file insert_drive_file=material/insert_drive_file.png f12d.codepoint=insert_drive_file_outlined insert_drive_file_outlined=material/insert_drive_file_outlined.png f81b.codepoint=insert_drive_file_rounded insert_drive_file_rounded=material/insert_drive_file_rounded.png ea3c.codepoint=insert_drive_file_sharp insert_drive_file_sharp=material/insert_drive_file_sharp.png e343.codepoint=insert_emoticon insert_emoticon=material/insert_emoticon.png f12e.codepoint=insert_emoticon_outlined insert_emoticon_outlined=material/insert_emoticon_outlined.png f81c.codepoint=insert_emoticon_rounded insert_emoticon_rounded=material/insert_emoticon_rounded.png ea3d.codepoint=insert_emoticon_sharp insert_emoticon_sharp=material/insert_emoticon_sharp.png e344.codepoint=insert_invitation insert_invitation=material/insert_invitation.png f12f.codepoint=insert_invitation_outlined insert_invitation_outlined=material/insert_invitation_outlined.png f81d.codepoint=insert_invitation_rounded insert_invitation_rounded=material/insert_invitation_rounded.png ea3e.codepoint=insert_invitation_sharp insert_invitation_sharp=material/insert_invitation_sharp.png e345.codepoint=insert_link insert_link=material/insert_link.png f130.codepoint=insert_link_outlined insert_link_outlined=material/insert_link_outlined.png f81e.codepoint=insert_link_rounded insert_link_rounded=material/insert_link_rounded.png ea3f.codepoint=insert_link_sharp insert_link_sharp=material/insert_link_sharp.png f0520.codepoint=insert_page_break insert_page_break=material/insert_page_break.png f0618.codepoint=insert_page_break_outlined insert_page_break_outlined=material/insert_page_break_outlined.png f0337.codepoint=insert_page_break_rounded insert_page_break_rounded=material/insert_page_break_rounded.png f042a.codepoint=insert_page_break_sharp insert_page_break_sharp=material/insert_page_break_sharp.png e346.codepoint=insert_photo insert_photo=material/insert_photo.png f131.codepoint=insert_photo_outlined insert_photo_outlined=material/insert_photo_outlined.png f81f.codepoint=insert_photo_rounded insert_photo_rounded=material/insert_photo_rounded.png ea40.codepoint=insert_photo_sharp insert_photo_sharp=material/insert_photo_sharp.png e347.codepoint=insights insights=material/insights.png f132.codepoint=insights_outlined insights_outlined=material/insights_outlined.png f820.codepoint=insights_rounded insights_rounded=material/insights_rounded.png ea41.codepoint=insights_sharp insights_sharp=material/insights_sharp.png f0521.codepoint=install_desktop install_desktop=material/install_desktop.png f0619.codepoint=install_desktop_outlined install_desktop_outlined=material/install_desktop_outlined.png f0338.codepoint=install_desktop_rounded install_desktop_rounded=material/install_desktop_rounded.png f042b.codepoint=install_desktop_sharp install_desktop_sharp=material/install_desktop_sharp.png f0522.codepoint=install_mobile install_mobile=material/install_mobile.png f061a.codepoint=install_mobile_outlined install_mobile_outlined=material/install_mobile_outlined.png f0339.codepoint=install_mobile_rounded install_mobile_rounded=material/install_mobile_rounded.png f042c.codepoint=install_mobile_sharp install_mobile_sharp=material/install_mobile_sharp.png e348.codepoint=integration_instructions integration_instructions=material/integration_instructions.png f133.codepoint=integration_instructions_outlined integration_instructions_outlined=material/integration_instructions_outlined.png f821.codepoint=integration_instructions_rounded integration_instructions_rounded=material/integration_instructions_rounded.png ea42.codepoint=integration_instructions_sharp integration_instructions_sharp=material/integration_instructions_sharp.png f0523.codepoint=interests interests=material/interests.png f061b.codepoint=interests_outlined interests_outlined=material/interests_outlined.png f033a.codepoint=interests_rounded interests_rounded=material/interests_rounded.png f042d.codepoint=interests_sharp interests_sharp=material/interests_sharp.png f0524.codepoint=interpreter_mode interpreter_mode=material/interpreter_mode.png f061c.codepoint=interpreter_mode_outlined interpreter_mode_outlined=material/interpreter_mode_outlined.png f033b.codepoint=interpreter_mode_rounded interpreter_mode_rounded=material/interpreter_mode_rounded.png f042e.codepoint=interpreter_mode_sharp interpreter_mode_sharp=material/interpreter_mode_sharp.png e349.codepoint=inventory inventory=material/inventory.png e34a.codepoint=inventory_2 inventory_2=material/inventory_2.png f134.codepoint=inventory_2_outlined inventory_2_outlined=material/inventory_2_outlined.png f822.codepoint=inventory_2_rounded inventory_2_rounded=material/inventory_2_rounded.png ea43.codepoint=inventory_2_sharp inventory_2_sharp=material/inventory_2_sharp.png f135.codepoint=inventory_outlined inventory_outlined=material/inventory_outlined.png f823.codepoint=inventory_rounded inventory_rounded=material/inventory_rounded.png ea44.codepoint=inventory_sharp inventory_sharp=material/inventory_sharp.png e34b.codepoint=invert_colors invert_colors=material/invert_colors.png e34c.codepoint=invert_colors_off invert_colors_off=material/invert_colors_off.png f136.codepoint=invert_colors_off_outlined invert_colors_off_outlined=material/invert_colors_off_outlined.png f824.codepoint=invert_colors_off_rounded invert_colors_off_rounded=material/invert_colors_off_rounded.png ea45.codepoint=invert_colors_off_sharp invert_colors_off_sharp=material/invert_colors_off_sharp.png # e34b.codepoint=invert_colors_on invert_colors_on=material/invert_colors_on.png f137.codepoint=invert_colors_on_outlined invert_colors_on_outlined=material/invert_colors_on_outlined.png f825.codepoint=invert_colors_on_rounded invert_colors_on_rounded=material/invert_colors_on_rounded.png ea46.codepoint=invert_colors_on_sharp invert_colors_on_sharp=material/invert_colors_on_sharp.png # f137.codepoint=invert_colors_outlined invert_colors_outlined=material/invert_colors_outlined.png # f825.codepoint=invert_colors_rounded invert_colors_rounded=material/invert_colors_rounded.png # ea46.codepoint=invert_colors_sharp invert_colors_sharp=material/invert_colors_sharp.png e34d.codepoint=ios_share ios_share=material/ios_share.png f138.codepoint=ios_share_outlined ios_share_outlined=material/ios_share_outlined.png f826.codepoint=ios_share_rounded ios_share_rounded=material/ios_share_rounded.png ea47.codepoint=ios_share_sharp ios_share_sharp=material/ios_share_sharp.png e34e.codepoint=iron iron=material/iron.png f139.codepoint=iron_outlined iron_outlined=material/iron_outlined.png f827.codepoint=iron_rounded iron_rounded=material/iron_rounded.png ea48.codepoint=iron_sharp iron_sharp=material/iron_sharp.png e34f.codepoint=iso iso=material/iso.png f13a.codepoint=iso_outlined iso_outlined=material/iso_outlined.png f828.codepoint=iso_rounded iso_rounded=material/iso_rounded.png ea49.codepoint=iso_sharp iso_sharp=material/iso_sharp.png f0525.codepoint=javascript javascript=material/javascript.png f061d.codepoint=javascript_outlined javascript_outlined=material/javascript_outlined.png f033c.codepoint=javascript_rounded javascript_rounded=material/javascript_rounded.png f042f.codepoint=javascript_sharp javascript_sharp=material/javascript_sharp.png f0526.codepoint=join_full join_full=material/join_full.png f061e.codepoint=join_full_outlined join_full_outlined=material/join_full_outlined.png f033d.codepoint=join_full_rounded join_full_rounded=material/join_full_rounded.png f0430.codepoint=join_full_sharp join_full_sharp=material/join_full_sharp.png f0527.codepoint=join_inner join_inner=material/join_inner.png f061f.codepoint=join_inner_outlined join_inner_outlined=material/join_inner_outlined.png f033e.codepoint=join_inner_rounded join_inner_rounded=material/join_inner_rounded.png f0431.codepoint=join_inner_sharp join_inner_sharp=material/join_inner_sharp.png f0528.codepoint=join_left join_left=material/join_left.png f0620.codepoint=join_left_outlined join_left_outlined=material/join_left_outlined.png f033f.codepoint=join_left_rounded join_left_rounded=material/join_left_rounded.png f0432.codepoint=join_left_sharp join_left_sharp=material/join_left_sharp.png f0529.codepoint=join_right join_right=material/join_right.png f0621.codepoint=join_right_outlined join_right_outlined=material/join_right_outlined.png f0340.codepoint=join_right_rounded join_right_rounded=material/join_right_rounded.png f0433.codepoint=join_right_sharp join_right_sharp=material/join_right_sharp.png e350.codepoint=kayaking kayaking=material/kayaking.png f13b.codepoint=kayaking_outlined kayaking_outlined=material/kayaking_outlined.png f829.codepoint=kayaking_rounded kayaking_rounded=material/kayaking_rounded.png ea4a.codepoint=kayaking_sharp kayaking_sharp=material/kayaking_sharp.png f052a.codepoint=kebab_dining kebab_dining=material/kebab_dining.png f0622.codepoint=kebab_dining_outlined kebab_dining_outlined=material/kebab_dining_outlined.png f0341.codepoint=kebab_dining_rounded kebab_dining_rounded=material/kebab_dining_rounded.png f0434.codepoint=kebab_dining_sharp kebab_dining_sharp=material/kebab_dining_sharp.png f052b.codepoint=key key=material/key.png f052c.codepoint=key_off key_off=material/key_off.png f0623.codepoint=key_off_outlined key_off_outlined=material/key_off_outlined.png f0342.codepoint=key_off_rounded key_off_rounded=material/key_off_rounded.png f0435.codepoint=key_off_sharp key_off_sharp=material/key_off_sharp.png f0624.codepoint=key_outlined key_outlined=material/key_outlined.png f0343.codepoint=key_rounded key_rounded=material/key_rounded.png f0436.codepoint=key_sharp key_sharp=material/key_sharp.png e351.codepoint=keyboard keyboard=material/keyboard.png e352.codepoint=keyboard_alt keyboard_alt=material/keyboard_alt.png f13c.codepoint=keyboard_alt_outlined keyboard_alt_outlined=material/keyboard_alt_outlined.png f82a.codepoint=keyboard_alt_rounded keyboard_alt_rounded=material/keyboard_alt_rounded.png ea4b.codepoint=keyboard_alt_sharp keyboard_alt_sharp=material/keyboard_alt_sharp.png e353.codepoint=keyboard_arrow_down keyboard_arrow_down=material/keyboard_arrow_down.png f13d.codepoint=keyboard_arrow_down_outlined keyboard_arrow_down_outlined=material/keyboard_arrow_down_outlined.png f82b.codepoint=keyboard_arrow_down_rounded keyboard_arrow_down_rounded=material/keyboard_arrow_down_rounded.png ea4c.codepoint=keyboard_arrow_down_sharp keyboard_arrow_down_sharp=material/keyboard_arrow_down_sharp.png e354.codepoint=keyboard_arrow_left keyboard_arrow_left=material/keyboard_arrow_left.png f13e.codepoint=keyboard_arrow_left_outlined keyboard_arrow_left_outlined=material/keyboard_arrow_left_outlined.png f82c.codepoint=keyboard_arrow_left_rounded keyboard_arrow_left_rounded=material/keyboard_arrow_left_rounded.png ea4d.codepoint=keyboard_arrow_left_sharp keyboard_arrow_left_sharp=material/keyboard_arrow_left_sharp.png e355.codepoint=keyboard_arrow_right keyboard_arrow_right=material/keyboard_arrow_right.png f13f.codepoint=keyboard_arrow_right_outlined keyboard_arrow_right_outlined=material/keyboard_arrow_right_outlined.png f82d.codepoint=keyboard_arrow_right_rounded keyboard_arrow_right_rounded=material/keyboard_arrow_right_rounded.png ea4e.codepoint=keyboard_arrow_right_sharp keyboard_arrow_right_sharp=material/keyboard_arrow_right_sharp.png e356.codepoint=keyboard_arrow_up keyboard_arrow_up=material/keyboard_arrow_up.png f140.codepoint=keyboard_arrow_up_outlined keyboard_arrow_up_outlined=material/keyboard_arrow_up_outlined.png f82e.codepoint=keyboard_arrow_up_rounded keyboard_arrow_up_rounded=material/keyboard_arrow_up_rounded.png ea4f.codepoint=keyboard_arrow_up_sharp keyboard_arrow_up_sharp=material/keyboard_arrow_up_sharp.png e357.codepoint=keyboard_backspace keyboard_backspace=material/keyboard_backspace.png f141.codepoint=keyboard_backspace_outlined keyboard_backspace_outlined=material/keyboard_backspace_outlined.png f82f.codepoint=keyboard_backspace_rounded keyboard_backspace_rounded=material/keyboard_backspace_rounded.png ea50.codepoint=keyboard_backspace_sharp keyboard_backspace_sharp=material/keyboard_backspace_sharp.png e358.codepoint=keyboard_capslock keyboard_capslock=material/keyboard_capslock.png f142.codepoint=keyboard_capslock_outlined keyboard_capslock_outlined=material/keyboard_capslock_outlined.png f830.codepoint=keyboard_capslock_rounded keyboard_capslock_rounded=material/keyboard_capslock_rounded.png ea51.codepoint=keyboard_capslock_sharp keyboard_capslock_sharp=material/keyboard_capslock_sharp.png f052d.codepoint=keyboard_command_key keyboard_command_key=material/keyboard_command_key.png f0625.codepoint=keyboard_command_key_outlined keyboard_command_key_outlined=material/keyboard_command_key_outlined.png f0344.codepoint=keyboard_command_key_rounded keyboard_command_key_rounded=material/keyboard_command_key_rounded.png f0437.codepoint=keyboard_command_key_sharp keyboard_command_key_sharp=material/keyboard_command_key_sharp.png e402.codepoint=keyboard_control keyboard_control=material/keyboard_control.png f052e.codepoint=keyboard_control_key keyboard_control_key=material/keyboard_control_key.png f0626.codepoint=keyboard_control_key_outlined keyboard_control_key_outlined=material/keyboard_control_key_outlined.png f0345.codepoint=keyboard_control_key_rounded keyboard_control_key_rounded=material/keyboard_control_key_rounded.png f0438.codepoint=keyboard_control_key_sharp keyboard_control_key_sharp=material/keyboard_control_key_sharp.png f1e7.codepoint=keyboard_control_outlined keyboard_control_outlined=material/keyboard_control_outlined.png f8d9.codepoint=keyboard_control_rounded keyboard_control_rounded=material/keyboard_control_rounded.png eafa.codepoint=keyboard_control_sharp keyboard_control_sharp=material/keyboard_control_sharp.png f052f.codepoint=keyboard_double_arrow_down keyboard_double_arrow_down=material/keyboard_double_arrow_down.png f0627.codepoint=keyboard_double_arrow_down_outlined keyboard_double_arrow_down_outlined=material/keyboard_double_arrow_down_outlined.png f0346.codepoint=keyboard_double_arrow_down_rounded keyboard_double_arrow_down_rounded=material/keyboard_double_arrow_down_rounded.png f0439.codepoint=keyboard_double_arrow_down_sharp keyboard_double_arrow_down_sharp=material/keyboard_double_arrow_down_sharp.png f0530.codepoint=keyboard_double_arrow_left keyboard_double_arrow_left=material/keyboard_double_arrow_left.png f0628.codepoint=keyboard_double_arrow_left_outlined keyboard_double_arrow_left_outlined=material/keyboard_double_arrow_left_outlined.png f0347.codepoint=keyboard_double_arrow_left_rounded keyboard_double_arrow_left_rounded=material/keyboard_double_arrow_left_rounded.png f043a.codepoint=keyboard_double_arrow_left_sharp keyboard_double_arrow_left_sharp=material/keyboard_double_arrow_left_sharp.png f0531.codepoint=keyboard_double_arrow_right keyboard_double_arrow_right=material/keyboard_double_arrow_right.png f0629.codepoint=keyboard_double_arrow_right_outlined keyboard_double_arrow_right_outlined=material/keyboard_double_arrow_right_outlined.png f0348.codepoint=keyboard_double_arrow_right_rounded keyboard_double_arrow_right_rounded=material/keyboard_double_arrow_right_rounded.png f043b.codepoint=keyboard_double_arrow_right_sharp keyboard_double_arrow_right_sharp=material/keyboard_double_arrow_right_sharp.png f0532.codepoint=keyboard_double_arrow_up keyboard_double_arrow_up=material/keyboard_double_arrow_up.png f062a.codepoint=keyboard_double_arrow_up_outlined keyboard_double_arrow_up_outlined=material/keyboard_double_arrow_up_outlined.png f0349.codepoint=keyboard_double_arrow_up_rounded keyboard_double_arrow_up_rounded=material/keyboard_double_arrow_up_rounded.png f043c.codepoint=keyboard_double_arrow_up_sharp keyboard_double_arrow_up_sharp=material/keyboard_double_arrow_up_sharp.png e359.codepoint=keyboard_hide keyboard_hide=material/keyboard_hide.png f143.codepoint=keyboard_hide_outlined keyboard_hide_outlined=material/keyboard_hide_outlined.png f831.codepoint=keyboard_hide_rounded keyboard_hide_rounded=material/keyboard_hide_rounded.png ea52.codepoint=keyboard_hide_sharp keyboard_hide_sharp=material/keyboard_hide_sharp.png f0533.codepoint=keyboard_option_key keyboard_option_key=material/keyboard_option_key.png f062b.codepoint=keyboard_option_key_outlined keyboard_option_key_outlined=material/keyboard_option_key_outlined.png f034a.codepoint=keyboard_option_key_rounded keyboard_option_key_rounded=material/keyboard_option_key_rounded.png f043d.codepoint=keyboard_option_key_sharp keyboard_option_key_sharp=material/keyboard_option_key_sharp.png f144.codepoint=keyboard_outlined keyboard_outlined=material/keyboard_outlined.png e35a.codepoint=keyboard_return keyboard_return=material/keyboard_return.png f145.codepoint=keyboard_return_outlined keyboard_return_outlined=material/keyboard_return_outlined.png f832.codepoint=keyboard_return_rounded keyboard_return_rounded=material/keyboard_return_rounded.png ea53.codepoint=keyboard_return_sharp keyboard_return_sharp=material/keyboard_return_sharp.png f833.codepoint=keyboard_rounded keyboard_rounded=material/keyboard_rounded.png ea54.codepoint=keyboard_sharp keyboard_sharp=material/keyboard_sharp.png e35b.codepoint=keyboard_tab keyboard_tab=material/keyboard_tab.png f146.codepoint=keyboard_tab_outlined keyboard_tab_outlined=material/keyboard_tab_outlined.png f834.codepoint=keyboard_tab_rounded keyboard_tab_rounded=material/keyboard_tab_rounded.png ea55.codepoint=keyboard_tab_sharp keyboard_tab_sharp=material/keyboard_tab_sharp.png e35c.codepoint=keyboard_voice keyboard_voice=material/keyboard_voice.png f147.codepoint=keyboard_voice_outlined keyboard_voice_outlined=material/keyboard_voice_outlined.png f835.codepoint=keyboard_voice_rounded keyboard_voice_rounded=material/keyboard_voice_rounded.png ea56.codepoint=keyboard_voice_sharp keyboard_voice_sharp=material/keyboard_voice_sharp.png e35d.codepoint=king_bed king_bed=material/king_bed.png f148.codepoint=king_bed_outlined king_bed_outlined=material/king_bed_outlined.png f836.codepoint=king_bed_rounded king_bed_rounded=material/king_bed_rounded.png ea57.codepoint=king_bed_sharp king_bed_sharp=material/king_bed_sharp.png e35e.codepoint=kitchen kitchen=material/kitchen.png f149.codepoint=kitchen_outlined kitchen_outlined=material/kitchen_outlined.png f837.codepoint=kitchen_rounded kitchen_rounded=material/kitchen_rounded.png ea58.codepoint=kitchen_sharp kitchen_sharp=material/kitchen_sharp.png e35f.codepoint=kitesurfing kitesurfing=material/kitesurfing.png f14a.codepoint=kitesurfing_outlined kitesurfing_outlined=material/kitesurfing_outlined.png f838.codepoint=kitesurfing_rounded kitesurfing_rounded=material/kitesurfing_rounded.png ea59.codepoint=kitesurfing_sharp kitesurfing_sharp=material/kitesurfing_sharp.png e360.codepoint=label label=material/label.png e361.codepoint=label_important label_important=material/label_important.png e362.codepoint=label_important_outline label_important_outline=material/label_important_outline.png f839.codepoint=label_important_outline_rounded label_important_outline_rounded=material/label_important_outline_rounded.png ea5a.codepoint=label_important_outline_sharp label_important_outline_sharp=material/label_important_outline_sharp.png f14b.codepoint=label_important_outlined label_important_outlined=material/label_important_outlined.png f83a.codepoint=label_important_rounded label_important_rounded=material/label_important_rounded.png ea5b.codepoint=label_important_sharp label_important_sharp=material/label_important_sharp.png e363.codepoint=label_off label_off=material/label_off.png f14c.codepoint=label_off_outlined label_off_outlined=material/label_off_outlined.png f83b.codepoint=label_off_rounded label_off_rounded=material/label_off_rounded.png ea5c.codepoint=label_off_sharp label_off_sharp=material/label_off_sharp.png e364.codepoint=label_outline label_outline=material/label_outline.png f83c.codepoint=label_outline_rounded label_outline_rounded=material/label_outline_rounded.png ea5d.codepoint=label_outline_sharp label_outline_sharp=material/label_outline_sharp.png f14d.codepoint=label_outlined label_outlined=material/label_outlined.png f83d.codepoint=label_rounded label_rounded=material/label_rounded.png ea5e.codepoint=label_sharp label_sharp=material/label_sharp.png f0534.codepoint=lan lan=material/lan.png f062c.codepoint=lan_outlined lan_outlined=material/lan_outlined.png f034b.codepoint=lan_rounded lan_rounded=material/lan_rounded.png f043e.codepoint=lan_sharp lan_sharp=material/lan_sharp.png e365.codepoint=landscape landscape=material/landscape.png f14e.codepoint=landscape_outlined landscape_outlined=material/landscape_outlined.png f83e.codepoint=landscape_rounded landscape_rounded=material/landscape_rounded.png ea5f.codepoint=landscape_sharp landscape_sharp=material/landscape_sharp.png f07a6.codepoint=landslide landslide=material/landslide.png f06f6.codepoint=landslide_outlined landslide_outlined=material/landslide_outlined.png f07fe.codepoint=landslide_rounded landslide_rounded=material/landslide_rounded.png f074e.codepoint=landslide_sharp landslide_sharp=material/landslide_sharp.png e366.codepoint=language language=material/language.png f14f.codepoint=language_outlined language_outlined=material/language_outlined.png f83f.codepoint=language_rounded language_rounded=material/language_rounded.png ea60.codepoint=language_sharp language_sharp=material/language_sharp.png e367.codepoint=laptop laptop=material/laptop.png e368.codepoint=laptop_chromebook laptop_chromebook=material/laptop_chromebook.png f150.codepoint=laptop_chromebook_outlined laptop_chromebook_outlined=material/laptop_chromebook_outlined.png f840.codepoint=laptop_chromebook_rounded laptop_chromebook_rounded=material/laptop_chromebook_rounded.png ea61.codepoint=laptop_chromebook_sharp laptop_chromebook_sharp=material/laptop_chromebook_sharp.png e369.codepoint=laptop_mac laptop_mac=material/laptop_mac.png f151.codepoint=laptop_mac_outlined laptop_mac_outlined=material/laptop_mac_outlined.png f841.codepoint=laptop_mac_rounded laptop_mac_rounded=material/laptop_mac_rounded.png ea62.codepoint=laptop_mac_sharp laptop_mac_sharp=material/laptop_mac_sharp.png f152.codepoint=laptop_outlined laptop_outlined=material/laptop_outlined.png f842.codepoint=laptop_rounded laptop_rounded=material/laptop_rounded.png ea63.codepoint=laptop_sharp laptop_sharp=material/laptop_sharp.png e36a.codepoint=laptop_windows laptop_windows=material/laptop_windows.png f153.codepoint=laptop_windows_outlined laptop_windows_outlined=material/laptop_windows_outlined.png f843.codepoint=laptop_windows_rounded laptop_windows_rounded=material/laptop_windows_rounded.png ea64.codepoint=laptop_windows_sharp laptop_windows_sharp=material/laptop_windows_sharp.png e36b.codepoint=last_page last_page=material/last_page.png f154.codepoint=last_page_outlined last_page_outlined=material/last_page_outlined.png f844.codepoint=last_page_rounded last_page_rounded=material/last_page_rounded.png ea65.codepoint=last_page_sharp last_page_sharp=material/last_page_sharp.png e36c.codepoint=launch launch=material/launch.png f155.codepoint=launch_outlined launch_outlined=material/launch_outlined.png f845.codepoint=launch_rounded launch_rounded=material/launch_rounded.png ea66.codepoint=launch_sharp launch_sharp=material/launch_sharp.png e36d.codepoint=layers layers=material/layers.png e36e.codepoint=layers_clear layers_clear=material/layers_clear.png f156.codepoint=layers_clear_outlined layers_clear_outlined=material/layers_clear_outlined.png f846.codepoint=layers_clear_rounded layers_clear_rounded=material/layers_clear_rounded.png ea67.codepoint=layers_clear_sharp layers_clear_sharp=material/layers_clear_sharp.png f157.codepoint=layers_outlined layers_outlined=material/layers_outlined.png f847.codepoint=layers_rounded layers_rounded=material/layers_rounded.png ea68.codepoint=layers_sharp layers_sharp=material/layers_sharp.png e36f.codepoint=leaderboard leaderboard=material/leaderboard.png f158.codepoint=leaderboard_outlined leaderboard_outlined=material/leaderboard_outlined.png f848.codepoint=leaderboard_rounded leaderboard_rounded=material/leaderboard_rounded.png ea69.codepoint=leaderboard_sharp leaderboard_sharp=material/leaderboard_sharp.png e370.codepoint=leak_add leak_add=material/leak_add.png f159.codepoint=leak_add_outlined leak_add_outlined=material/leak_add_outlined.png f849.codepoint=leak_add_rounded leak_add_rounded=material/leak_add_rounded.png ea6a.codepoint=leak_add_sharp leak_add_sharp=material/leak_add_sharp.png e371.codepoint=leak_remove leak_remove=material/leak_remove.png f15a.codepoint=leak_remove_outlined leak_remove_outlined=material/leak_remove_outlined.png f84a.codepoint=leak_remove_rounded leak_remove_rounded=material/leak_remove_rounded.png ea6b.codepoint=leak_remove_sharp leak_remove_sharp=material/leak_remove_sharp.png e439.codepoint=leave_bags_at_home leave_bags_at_home=material/leave_bags_at_home.png f21f.codepoint=leave_bags_at_home_outlined leave_bags_at_home_outlined=material/leave_bags_at_home_outlined.png f0011.codepoint=leave_bags_at_home_rounded leave_bags_at_home_rounded=material/leave_bags_at_home_rounded.png eb32.codepoint=leave_bags_at_home_sharp leave_bags_at_home_sharp=material/leave_bags_at_home_sharp.png e372.codepoint=legend_toggle legend_toggle=material/legend_toggle.png f15b.codepoint=legend_toggle_outlined legend_toggle_outlined=material/legend_toggle_outlined.png f84b.codepoint=legend_toggle_rounded legend_toggle_rounded=material/legend_toggle_rounded.png ea6c.codepoint=legend_toggle_sharp legend_toggle_sharp=material/legend_toggle_sharp.png e373.codepoint=lens lens=material/lens.png e374.codepoint=lens_blur lens_blur=material/lens_blur.png f15c.codepoint=lens_blur_outlined lens_blur_outlined=material/lens_blur_outlined.png f84c.codepoint=lens_blur_rounded lens_blur_rounded=material/lens_blur_rounded.png ea6d.codepoint=lens_blur_sharp lens_blur_sharp=material/lens_blur_sharp.png f15d.codepoint=lens_outlined lens_outlined=material/lens_outlined.png f84d.codepoint=lens_rounded lens_rounded=material/lens_rounded.png ea6e.codepoint=lens_sharp lens_sharp=material/lens_sharp.png e375.codepoint=library_add library_add=material/library_add.png e376.codepoint=library_add_check library_add_check=material/library_add_check.png f15e.codepoint=library_add_check_outlined library_add_check_outlined=material/library_add_check_outlined.png f84e.codepoint=library_add_check_rounded library_add_check_rounded=material/library_add_check_rounded.png ea6f.codepoint=library_add_check_sharp library_add_check_sharp=material/library_add_check_sharp.png f15f.codepoint=library_add_outlined library_add_outlined=material/library_add_outlined.png f84f.codepoint=library_add_rounded library_add_rounded=material/library_add_rounded.png ea70.codepoint=library_add_sharp library_add_sharp=material/library_add_sharp.png e377.codepoint=library_books library_books=material/library_books.png f160.codepoint=library_books_outlined library_books_outlined=material/library_books_outlined.png f850.codepoint=library_books_rounded library_books_rounded=material/library_books_rounded.png ea71.codepoint=library_books_sharp library_books_sharp=material/library_books_sharp.png e378.codepoint=library_music library_music=material/library_music.png f161.codepoint=library_music_outlined library_music_outlined=material/library_music_outlined.png f851.codepoint=library_music_rounded library_music_rounded=material/library_music_rounded.png ea72.codepoint=library_music_sharp library_music_sharp=material/library_music_sharp.png e379.codepoint=light light=material/light.png e37a.codepoint=light_mode light_mode=material/light_mode.png f162.codepoint=light_mode_outlined light_mode_outlined=material/light_mode_outlined.png f852.codepoint=light_mode_rounded light_mode_rounded=material/light_mode_rounded.png ea73.codepoint=light_mode_sharp light_mode_sharp=material/light_mode_sharp.png f163.codepoint=light_outlined light_outlined=material/light_outlined.png f853.codepoint=light_rounded light_rounded=material/light_rounded.png ea74.codepoint=light_sharp light_sharp=material/light_sharp.png e37b.codepoint=lightbulb lightbulb=material/lightbulb.png f07a7.codepoint=lightbulb_circle lightbulb_circle=material/lightbulb_circle.png f06f7.codepoint=lightbulb_circle_outlined lightbulb_circle_outlined=material/lightbulb_circle_outlined.png f07ff.codepoint=lightbulb_circle_rounded lightbulb_circle_rounded=material/lightbulb_circle_rounded.png f074f.codepoint=lightbulb_circle_sharp lightbulb_circle_sharp=material/lightbulb_circle_sharp.png e37c.codepoint=lightbulb_outline lightbulb_outline=material/lightbulb_outline.png f854.codepoint=lightbulb_outline_rounded lightbulb_outline_rounded=material/lightbulb_outline_rounded.png ea75.codepoint=lightbulb_outline_sharp lightbulb_outline_sharp=material/lightbulb_outline_sharp.png f164.codepoint=lightbulb_outlined lightbulb_outlined=material/lightbulb_outlined.png f855.codepoint=lightbulb_rounded lightbulb_rounded=material/lightbulb_rounded.png ea76.codepoint=lightbulb_sharp lightbulb_sharp=material/lightbulb_sharp.png f0535.codepoint=line_axis line_axis=material/line_axis.png f062d.codepoint=line_axis_outlined line_axis_outlined=material/line_axis_outlined.png f034c.codepoint=line_axis_rounded line_axis_rounded=material/line_axis_rounded.png f043f.codepoint=line_axis_sharp line_axis_sharp=material/line_axis_sharp.png e37d.codepoint=line_style line_style=material/line_style.png f165.codepoint=line_style_outlined line_style_outlined=material/line_style_outlined.png f856.codepoint=line_style_rounded line_style_rounded=material/line_style_rounded.png ea77.codepoint=line_style_sharp line_style_sharp=material/line_style_sharp.png e37e.codepoint=line_weight line_weight=material/line_weight.png f166.codepoint=line_weight_outlined line_weight_outlined=material/line_weight_outlined.png f857.codepoint=line_weight_rounded line_weight_rounded=material/line_weight_rounded.png ea78.codepoint=line_weight_sharp line_weight_sharp=material/line_weight_sharp.png e37f.codepoint=linear_scale linear_scale=material/linear_scale.png f167.codepoint=linear_scale_outlined linear_scale_outlined=material/linear_scale_outlined.png f858.codepoint=linear_scale_rounded linear_scale_rounded=material/linear_scale_rounded.png ea79.codepoint=linear_scale_sharp linear_scale_sharp=material/linear_scale_sharp.png e380.codepoint=link link=material/link.png e381.codepoint=link_off link_off=material/link_off.png f168.codepoint=link_off_outlined link_off_outlined=material/link_off_outlined.png f859.codepoint=link_off_rounded link_off_rounded=material/link_off_rounded.png ea7a.codepoint=link_off_sharp link_off_sharp=material/link_off_sharp.png f169.codepoint=link_outlined link_outlined=material/link_outlined.png f85a.codepoint=link_rounded link_rounded=material/link_rounded.png ea7b.codepoint=link_sharp link_sharp=material/link_sharp.png e382.codepoint=linked_camera linked_camera=material/linked_camera.png f16a.codepoint=linked_camera_outlined linked_camera_outlined=material/linked_camera_outlined.png f85b.codepoint=linked_camera_rounded linked_camera_rounded=material/linked_camera_rounded.png ea7c.codepoint=linked_camera_sharp linked_camera_sharp=material/linked_camera_sharp.png e383.codepoint=liquor liquor=material/liquor.png f16b.codepoint=liquor_outlined liquor_outlined=material/liquor_outlined.png f85c.codepoint=liquor_rounded liquor_rounded=material/liquor_rounded.png ea7d.codepoint=liquor_sharp liquor_sharp=material/liquor_sharp.png e384.codepoint=list list=material/list.png e385.codepoint=list_alt list_alt=material/list_alt.png f16c.codepoint=list_alt_outlined list_alt_outlined=material/list_alt_outlined.png f85d.codepoint=list_alt_rounded list_alt_rounded=material/list_alt_rounded.png ea7e.codepoint=list_alt_sharp list_alt_sharp=material/list_alt_sharp.png f16d.codepoint=list_outlined list_outlined=material/list_outlined.png f85e.codepoint=list_rounded list_rounded=material/list_rounded.png ea7f.codepoint=list_sharp list_sharp=material/list_sharp.png e386.codepoint=live_help live_help=material/live_help.png f16e.codepoint=live_help_outlined live_help_outlined=material/live_help_outlined.png f85f.codepoint=live_help_rounded live_help_rounded=material/live_help_rounded.png ea80.codepoint=live_help_sharp live_help_sharp=material/live_help_sharp.png e387.codepoint=live_tv live_tv=material/live_tv.png f16f.codepoint=live_tv_outlined live_tv_outlined=material/live_tv_outlined.png f860.codepoint=live_tv_rounded live_tv_rounded=material/live_tv_rounded.png ea81.codepoint=live_tv_sharp live_tv_sharp=material/live_tv_sharp.png e388.codepoint=living living=material/living.png f170.codepoint=living_outlined living_outlined=material/living_outlined.png f861.codepoint=living_rounded living_rounded=material/living_rounded.png ea82.codepoint=living_sharp living_sharp=material/living_sharp.png e389.codepoint=local_activity local_activity=material/local_activity.png f171.codepoint=local_activity_outlined local_activity_outlined=material/local_activity_outlined.png f862.codepoint=local_activity_rounded local_activity_rounded=material/local_activity_rounded.png ea83.codepoint=local_activity_sharp local_activity_sharp=material/local_activity_sharp.png e38a.codepoint=local_airport local_airport=material/local_airport.png f172.codepoint=local_airport_outlined local_airport_outlined=material/local_airport_outlined.png f863.codepoint=local_airport_rounded local_airport_rounded=material/local_airport_rounded.png ea84.codepoint=local_airport_sharp local_airport_sharp=material/local_airport_sharp.png e38b.codepoint=local_atm local_atm=material/local_atm.png f173.codepoint=local_atm_outlined local_atm_outlined=material/local_atm_outlined.png f864.codepoint=local_atm_rounded local_atm_rounded=material/local_atm_rounded.png ea85.codepoint=local_atm_sharp local_atm_sharp=material/local_atm_sharp.png # e389.codepoint=local_attraction local_attraction=material/local_attraction.png # f171.codepoint=local_attraction_outlined local_attraction_outlined=material/local_attraction_outlined.png # f862.codepoint=local_attraction_rounded local_attraction_rounded=material/local_attraction_rounded.png # ea83.codepoint=local_attraction_sharp local_attraction_sharp=material/local_attraction_sharp.png e38c.codepoint=local_bar local_bar=material/local_bar.png f174.codepoint=local_bar_outlined local_bar_outlined=material/local_bar_outlined.png f865.codepoint=local_bar_rounded local_bar_rounded=material/local_bar_rounded.png ea86.codepoint=local_bar_sharp local_bar_sharp=material/local_bar_sharp.png e38d.codepoint=local_cafe local_cafe=material/local_cafe.png f175.codepoint=local_cafe_outlined local_cafe_outlined=material/local_cafe_outlined.png f866.codepoint=local_cafe_rounded local_cafe_rounded=material/local_cafe_rounded.png ea87.codepoint=local_cafe_sharp local_cafe_sharp=material/local_cafe_sharp.png e38e.codepoint=local_car_wash local_car_wash=material/local_car_wash.png f176.codepoint=local_car_wash_outlined local_car_wash_outlined=material/local_car_wash_outlined.png f867.codepoint=local_car_wash_rounded local_car_wash_rounded=material/local_car_wash_rounded.png ea88.codepoint=local_car_wash_sharp local_car_wash_sharp=material/local_car_wash_sharp.png e38f.codepoint=local_convenience_store local_convenience_store=material/local_convenience_store.png f177.codepoint=local_convenience_store_outlined local_convenience_store_outlined=material/local_convenience_store_outlined.png f868.codepoint=local_convenience_store_rounded local_convenience_store_rounded=material/local_convenience_store_rounded.png ea89.codepoint=local_convenience_store_sharp local_convenience_store_sharp=material/local_convenience_store_sharp.png e390.codepoint=local_dining local_dining=material/local_dining.png f178.codepoint=local_dining_outlined local_dining_outlined=material/local_dining_outlined.png f869.codepoint=local_dining_rounded local_dining_rounded=material/local_dining_rounded.png ea8a.codepoint=local_dining_sharp local_dining_sharp=material/local_dining_sharp.png e391.codepoint=local_drink local_drink=material/local_drink.png f179.codepoint=local_drink_outlined local_drink_outlined=material/local_drink_outlined.png f86a.codepoint=local_drink_rounded local_drink_rounded=material/local_drink_rounded.png ea8b.codepoint=local_drink_sharp local_drink_sharp=material/local_drink_sharp.png e392.codepoint=local_fire_department local_fire_department=material/local_fire_department.png f17a.codepoint=local_fire_department_outlined local_fire_department_outlined=material/local_fire_department_outlined.png f86b.codepoint=local_fire_department_rounded local_fire_department_rounded=material/local_fire_department_rounded.png ea8c.codepoint=local_fire_department_sharp local_fire_department_sharp=material/local_fire_department_sharp.png e393.codepoint=local_florist local_florist=material/local_florist.png f17b.codepoint=local_florist_outlined local_florist_outlined=material/local_florist_outlined.png f86c.codepoint=local_florist_rounded local_florist_rounded=material/local_florist_rounded.png ea8d.codepoint=local_florist_sharp local_florist_sharp=material/local_florist_sharp.png e394.codepoint=local_gas_station local_gas_station=material/local_gas_station.png f17c.codepoint=local_gas_station_outlined local_gas_station_outlined=material/local_gas_station_outlined.png f86d.codepoint=local_gas_station_rounded local_gas_station_rounded=material/local_gas_station_rounded.png ea8e.codepoint=local_gas_station_sharp local_gas_station_sharp=material/local_gas_station_sharp.png e395.codepoint=local_grocery_store local_grocery_store=material/local_grocery_store.png f17d.codepoint=local_grocery_store_outlined local_grocery_store_outlined=material/local_grocery_store_outlined.png f86e.codepoint=local_grocery_store_rounded local_grocery_store_rounded=material/local_grocery_store_rounded.png ea8f.codepoint=local_grocery_store_sharp local_grocery_store_sharp=material/local_grocery_store_sharp.png e396.codepoint=local_hospital local_hospital=material/local_hospital.png f17e.codepoint=local_hospital_outlined local_hospital_outlined=material/local_hospital_outlined.png f86f.codepoint=local_hospital_rounded local_hospital_rounded=material/local_hospital_rounded.png ea90.codepoint=local_hospital_sharp local_hospital_sharp=material/local_hospital_sharp.png e397.codepoint=local_hotel local_hotel=material/local_hotel.png f17f.codepoint=local_hotel_outlined local_hotel_outlined=material/local_hotel_outlined.png f870.codepoint=local_hotel_rounded local_hotel_rounded=material/local_hotel_rounded.png ea91.codepoint=local_hotel_sharp local_hotel_sharp=material/local_hotel_sharp.png e398.codepoint=local_laundry_service local_laundry_service=material/local_laundry_service.png f180.codepoint=local_laundry_service_outlined local_laundry_service_outlined=material/local_laundry_service_outlined.png f871.codepoint=local_laundry_service_rounded local_laundry_service_rounded=material/local_laundry_service_rounded.png ea92.codepoint=local_laundry_service_sharp local_laundry_service_sharp=material/local_laundry_service_sharp.png e399.codepoint=local_library local_library=material/local_library.png f181.codepoint=local_library_outlined local_library_outlined=material/local_library_outlined.png f872.codepoint=local_library_rounded local_library_rounded=material/local_library_rounded.png ea93.codepoint=local_library_sharp local_library_sharp=material/local_library_sharp.png e39a.codepoint=local_mall local_mall=material/local_mall.png f182.codepoint=local_mall_outlined local_mall_outlined=material/local_mall_outlined.png f873.codepoint=local_mall_rounded local_mall_rounded=material/local_mall_rounded.png ea94.codepoint=local_mall_sharp local_mall_sharp=material/local_mall_sharp.png e39b.codepoint=local_movies local_movies=material/local_movies.png f183.codepoint=local_movies_outlined local_movies_outlined=material/local_movies_outlined.png f874.codepoint=local_movies_rounded local_movies_rounded=material/local_movies_rounded.png ea95.codepoint=local_movies_sharp local_movies_sharp=material/local_movies_sharp.png e39c.codepoint=local_offer local_offer=material/local_offer.png f184.codepoint=local_offer_outlined local_offer_outlined=material/local_offer_outlined.png f875.codepoint=local_offer_rounded local_offer_rounded=material/local_offer_rounded.png ea96.codepoint=local_offer_sharp local_offer_sharp=material/local_offer_sharp.png e39d.codepoint=local_parking local_parking=material/local_parking.png f185.codepoint=local_parking_outlined local_parking_outlined=material/local_parking_outlined.png f876.codepoint=local_parking_rounded local_parking_rounded=material/local_parking_rounded.png ea97.codepoint=local_parking_sharp local_parking_sharp=material/local_parking_sharp.png e39e.codepoint=local_pharmacy local_pharmacy=material/local_pharmacy.png f186.codepoint=local_pharmacy_outlined local_pharmacy_outlined=material/local_pharmacy_outlined.png f877.codepoint=local_pharmacy_rounded local_pharmacy_rounded=material/local_pharmacy_rounded.png ea98.codepoint=local_pharmacy_sharp local_pharmacy_sharp=material/local_pharmacy_sharp.png e39f.codepoint=local_phone local_phone=material/local_phone.png f187.codepoint=local_phone_outlined local_phone_outlined=material/local_phone_outlined.png f878.codepoint=local_phone_rounded local_phone_rounded=material/local_phone_rounded.png ea99.codepoint=local_phone_sharp local_phone_sharp=material/local_phone_sharp.png e3a0.codepoint=local_pizza local_pizza=material/local_pizza.png f188.codepoint=local_pizza_outlined local_pizza_outlined=material/local_pizza_outlined.png f879.codepoint=local_pizza_rounded local_pizza_rounded=material/local_pizza_rounded.png ea9a.codepoint=local_pizza_sharp local_pizza_sharp=material/local_pizza_sharp.png e3a1.codepoint=local_play local_play=material/local_play.png f189.codepoint=local_play_outlined local_play_outlined=material/local_play_outlined.png f87a.codepoint=local_play_rounded local_play_rounded=material/local_play_rounded.png ea9b.codepoint=local_play_sharp local_play_sharp=material/local_play_sharp.png e3a2.codepoint=local_police local_police=material/local_police.png f18a.codepoint=local_police_outlined local_police_outlined=material/local_police_outlined.png f87b.codepoint=local_police_rounded local_police_rounded=material/local_police_rounded.png ea9c.codepoint=local_police_sharp local_police_sharp=material/local_police_sharp.png e3a3.codepoint=local_post_office local_post_office=material/local_post_office.png f18b.codepoint=local_post_office_outlined local_post_office_outlined=material/local_post_office_outlined.png f87c.codepoint=local_post_office_rounded local_post_office_rounded=material/local_post_office_rounded.png ea9d.codepoint=local_post_office_sharp local_post_office_sharp=material/local_post_office_sharp.png e3a4.codepoint=local_print_shop local_print_shop=material/local_print_shop.png f18c.codepoint=local_print_shop_outlined local_print_shop_outlined=material/local_print_shop_outlined.png f87d.codepoint=local_print_shop_rounded local_print_shop_rounded=material/local_print_shop_rounded.png ea9e.codepoint=local_print_shop_sharp local_print_shop_sharp=material/local_print_shop_sharp.png # e3a4.codepoint=local_printshop local_printshop=material/local_printshop.png # f18c.codepoint=local_printshop_outlined local_printshop_outlined=material/local_printshop_outlined.png # f87d.codepoint=local_printshop_rounded local_printshop_rounded=material/local_printshop_rounded.png # ea9e.codepoint=local_printshop_sharp local_printshop_sharp=material/local_printshop_sharp.png # e390.codepoint=local_restaurant local_restaurant=material/local_restaurant.png # f178.codepoint=local_restaurant_outlined local_restaurant_outlined=material/local_restaurant_outlined.png # f869.codepoint=local_restaurant_rounded local_restaurant_rounded=material/local_restaurant_rounded.png # ea8a.codepoint=local_restaurant_sharp local_restaurant_sharp=material/local_restaurant_sharp.png e3a5.codepoint=local_see local_see=material/local_see.png f18d.codepoint=local_see_outlined local_see_outlined=material/local_see_outlined.png f87e.codepoint=local_see_rounded local_see_rounded=material/local_see_rounded.png ea9f.codepoint=local_see_sharp local_see_sharp=material/local_see_sharp.png e3a6.codepoint=local_shipping local_shipping=material/local_shipping.png f18e.codepoint=local_shipping_outlined local_shipping_outlined=material/local_shipping_outlined.png f87f.codepoint=local_shipping_rounded local_shipping_rounded=material/local_shipping_rounded.png eaa0.codepoint=local_shipping_sharp local_shipping_sharp=material/local_shipping_sharp.png e3a7.codepoint=local_taxi local_taxi=material/local_taxi.png f18f.codepoint=local_taxi_outlined local_taxi_outlined=material/local_taxi_outlined.png f880.codepoint=local_taxi_rounded local_taxi_rounded=material/local_taxi_rounded.png eaa1.codepoint=local_taxi_sharp local_taxi_sharp=material/local_taxi_sharp.png e3a8.codepoint=location_city location_city=material/location_city.png f190.codepoint=location_city_outlined location_city_outlined=material/location_city_outlined.png f881.codepoint=location_city_rounded location_city_rounded=material/location_city_rounded.png eaa2.codepoint=location_city_sharp location_city_sharp=material/location_city_sharp.png e3a9.codepoint=location_disabled location_disabled=material/location_disabled.png f191.codepoint=location_disabled_outlined location_disabled_outlined=material/location_disabled_outlined.png f882.codepoint=location_disabled_rounded location_disabled_rounded=material/location_disabled_rounded.png eaa3.codepoint=location_disabled_sharp location_disabled_sharp=material/location_disabled_sharp.png e498.codepoint=location_history location_history=material/location_history.png f27d.codepoint=location_history_outlined location_history_outlined=material/location_history_outlined.png f006e.codepoint=location_history_rounded location_history_rounded=material/location_history_rounded.png eb8f.codepoint=location_history_sharp location_history_sharp=material/location_history_sharp.png e3aa.codepoint=location_off location_off=material/location_off.png f192.codepoint=location_off_outlined location_off_outlined=material/location_off_outlined.png f883.codepoint=location_off_rounded location_off_rounded=material/location_off_rounded.png eaa4.codepoint=location_off_sharp location_off_sharp=material/location_off_sharp.png e3ab.codepoint=location_on location_on=material/location_on.png f193.codepoint=location_on_outlined location_on_outlined=material/location_on_outlined.png f884.codepoint=location_on_rounded location_on_rounded=material/location_on_rounded.png eaa5.codepoint=location_on_sharp location_on_sharp=material/location_on_sharp.png e3ac.codepoint=location_pin location_pin=material/location_pin.png e3ad.codepoint=location_searching location_searching=material/location_searching.png f194.codepoint=location_searching_outlined location_searching_outlined=material/location_searching_outlined.png f885.codepoint=location_searching_rounded location_searching_rounded=material/location_searching_rounded.png eaa6.codepoint=location_searching_sharp location_searching_sharp=material/location_searching_sharp.png e3ae.codepoint=lock lock=material/lock.png e3af.codepoint=lock_clock lock_clock=material/lock_clock.png f195.codepoint=lock_clock_outlined lock_clock_outlined=material/lock_clock_outlined.png f886.codepoint=lock_clock_rounded lock_clock_rounded=material/lock_clock_rounded.png eaa7.codepoint=lock_clock_sharp lock_clock_sharp=material/lock_clock_sharp.png e3b0.codepoint=lock_open lock_open=material/lock_open.png f196.codepoint=lock_open_outlined lock_open_outlined=material/lock_open_outlined.png f887.codepoint=lock_open_rounded lock_open_rounded=material/lock_open_rounded.png eaa8.codepoint=lock_open_sharp lock_open_sharp=material/lock_open_sharp.png e3b1.codepoint=lock_outline lock_outline=material/lock_outline.png f888.codepoint=lock_outline_rounded lock_outline_rounded=material/lock_outline_rounded.png eaa9.codepoint=lock_outline_sharp lock_outline_sharp=material/lock_outline_sharp.png f197.codepoint=lock_outlined lock_outlined=material/lock_outlined.png f07a8.codepoint=lock_person lock_person=material/lock_person.png f06f8.codepoint=lock_person_outlined lock_person_outlined=material/lock_person_outlined.png f0800.codepoint=lock_person_rounded lock_person_rounded=material/lock_person_rounded.png f0750.codepoint=lock_person_sharp lock_person_sharp=material/lock_person_sharp.png f0536.codepoint=lock_reset lock_reset=material/lock_reset.png f062e.codepoint=lock_reset_outlined lock_reset_outlined=material/lock_reset_outlined.png f034d.codepoint=lock_reset_rounded lock_reset_rounded=material/lock_reset_rounded.png f0440.codepoint=lock_reset_sharp lock_reset_sharp=material/lock_reset_sharp.png f889.codepoint=lock_rounded lock_rounded=material/lock_rounded.png eaaa.codepoint=lock_sharp lock_sharp=material/lock_sharp.png e3b2.codepoint=login login=material/login.png f198.codepoint=login_outlined login_outlined=material/login_outlined.png f88a.codepoint=login_rounded login_rounded=material/login_rounded.png eaab.codepoint=login_sharp login_sharp=material/login_sharp.png f0537.codepoint=logo_dev logo_dev=material/logo_dev.png f062f.codepoint=logo_dev_outlined logo_dev_outlined=material/logo_dev_outlined.png f034e.codepoint=logo_dev_rounded logo_dev_rounded=material/logo_dev_rounded.png f0441.codepoint=logo_dev_sharp logo_dev_sharp=material/logo_dev_sharp.png e3b3.codepoint=logout logout=material/logout.png f199.codepoint=logout_outlined logout_outlined=material/logout_outlined.png f88b.codepoint=logout_rounded logout_rounded=material/logout_rounded.png eaac.codepoint=logout_sharp logout_sharp=material/logout_sharp.png e3b4.codepoint=looks looks=material/looks.png e3b5.codepoint=looks_3 looks_3=material/looks_3.png f19a.codepoint=looks_3_outlined looks_3_outlined=material/looks_3_outlined.png f88c.codepoint=looks_3_rounded looks_3_rounded=material/looks_3_rounded.png eaad.codepoint=looks_3_sharp looks_3_sharp=material/looks_3_sharp.png e3b6.codepoint=looks_4 looks_4=material/looks_4.png f19b.codepoint=looks_4_outlined looks_4_outlined=material/looks_4_outlined.png f88d.codepoint=looks_4_rounded looks_4_rounded=material/looks_4_rounded.png eaae.codepoint=looks_4_sharp looks_4_sharp=material/looks_4_sharp.png e3b7.codepoint=looks_5 looks_5=material/looks_5.png f19c.codepoint=looks_5_outlined looks_5_outlined=material/looks_5_outlined.png f88e.codepoint=looks_5_rounded looks_5_rounded=material/looks_5_rounded.png eaaf.codepoint=looks_5_sharp looks_5_sharp=material/looks_5_sharp.png e3b8.codepoint=looks_6 looks_6=material/looks_6.png f19d.codepoint=looks_6_outlined looks_6_outlined=material/looks_6_outlined.png f88f.codepoint=looks_6_rounded looks_6_rounded=material/looks_6_rounded.png eab0.codepoint=looks_6_sharp looks_6_sharp=material/looks_6_sharp.png e3b9.codepoint=looks_one looks_one=material/looks_one.png f19e.codepoint=looks_one_outlined looks_one_outlined=material/looks_one_outlined.png f890.codepoint=looks_one_rounded looks_one_rounded=material/looks_one_rounded.png eab1.codepoint=looks_one_sharp looks_one_sharp=material/looks_one_sharp.png f19f.codepoint=looks_outlined looks_outlined=material/looks_outlined.png f891.codepoint=looks_rounded looks_rounded=material/looks_rounded.png eab2.codepoint=looks_sharp looks_sharp=material/looks_sharp.png e3ba.codepoint=looks_two looks_two=material/looks_two.png f1a0.codepoint=looks_two_outlined looks_two_outlined=material/looks_two_outlined.png f892.codepoint=looks_two_rounded looks_two_rounded=material/looks_two_rounded.png eab3.codepoint=looks_two_sharp looks_two_sharp=material/looks_two_sharp.png e3bb.codepoint=loop loop=material/loop.png f1a1.codepoint=loop_outlined loop_outlined=material/loop_outlined.png f893.codepoint=loop_rounded loop_rounded=material/loop_rounded.png eab4.codepoint=loop_sharp loop_sharp=material/loop_sharp.png e3bc.codepoint=loupe loupe=material/loupe.png f1a2.codepoint=loupe_outlined loupe_outlined=material/loupe_outlined.png f894.codepoint=loupe_rounded loupe_rounded=material/loupe_rounded.png eab5.codepoint=loupe_sharp loupe_sharp=material/loupe_sharp.png e3bd.codepoint=low_priority low_priority=material/low_priority.png f1a3.codepoint=low_priority_outlined low_priority_outlined=material/low_priority_outlined.png f895.codepoint=low_priority_rounded low_priority_rounded=material/low_priority_rounded.png eab6.codepoint=low_priority_sharp low_priority_sharp=material/low_priority_sharp.png e3be.codepoint=loyalty loyalty=material/loyalty.png f1a4.codepoint=loyalty_outlined loyalty_outlined=material/loyalty_outlined.png f896.codepoint=loyalty_rounded loyalty_rounded=material/loyalty_rounded.png eab7.codepoint=loyalty_sharp loyalty_sharp=material/loyalty_sharp.png e3bf.codepoint=lte_mobiledata lte_mobiledata=material/lte_mobiledata.png f1a5.codepoint=lte_mobiledata_outlined lte_mobiledata_outlined=material/lte_mobiledata_outlined.png f897.codepoint=lte_mobiledata_rounded lte_mobiledata_rounded=material/lte_mobiledata_rounded.png eab8.codepoint=lte_mobiledata_sharp lte_mobiledata_sharp=material/lte_mobiledata_sharp.png e3c0.codepoint=lte_plus_mobiledata lte_plus_mobiledata=material/lte_plus_mobiledata.png f1a6.codepoint=lte_plus_mobiledata_outlined lte_plus_mobiledata_outlined=material/lte_plus_mobiledata_outlined.png f898.codepoint=lte_plus_mobiledata_rounded lte_plus_mobiledata_rounded=material/lte_plus_mobiledata_rounded.png eab9.codepoint=lte_plus_mobiledata_sharp lte_plus_mobiledata_sharp=material/lte_plus_mobiledata_sharp.png e3c1.codepoint=luggage luggage=material/luggage.png f1a7.codepoint=luggage_outlined luggage_outlined=material/luggage_outlined.png f899.codepoint=luggage_rounded luggage_rounded=material/luggage_rounded.png eaba.codepoint=luggage_sharp luggage_sharp=material/luggage_sharp.png e3c2.codepoint=lunch_dining lunch_dining=material/lunch_dining.png f1a8.codepoint=lunch_dining_outlined lunch_dining_outlined=material/lunch_dining_outlined.png f89a.codepoint=lunch_dining_rounded lunch_dining_rounded=material/lunch_dining_rounded.png eabb.codepoint=lunch_dining_sharp lunch_dining_sharp=material/lunch_dining_sharp.png f07a9.codepoint=lyrics lyrics=material/lyrics.png f06f9.codepoint=lyrics_outlined lyrics_outlined=material/lyrics_outlined.png f0801.codepoint=lyrics_rounded lyrics_rounded=material/lyrics_rounded.png f0751.codepoint=lyrics_sharp lyrics_sharp=material/lyrics_sharp.png e3c3.codepoint=mail mail=material/mail.png f07aa.codepoint=mail_lock mail_lock=material/mail_lock.png f06fa.codepoint=mail_lock_outlined mail_lock_outlined=material/mail_lock_outlined.png f0802.codepoint=mail_lock_rounded mail_lock_rounded=material/mail_lock_rounded.png f0752.codepoint=mail_lock_sharp mail_lock_sharp=material/mail_lock_sharp.png e3c4.codepoint=mail_outline mail_outline=material/mail_outline.png f1a9.codepoint=mail_outline_outlined mail_outline_outlined=material/mail_outline_outlined.png f89b.codepoint=mail_outline_rounded mail_outline_rounded=material/mail_outline_rounded.png eabc.codepoint=mail_outline_sharp mail_outline_sharp=material/mail_outline_sharp.png f1aa.codepoint=mail_outlined mail_outlined=material/mail_outlined.png f89c.codepoint=mail_rounded mail_rounded=material/mail_rounded.png eabd.codepoint=mail_sharp mail_sharp=material/mail_sharp.png e3c5.codepoint=male male=material/male.png f1ab.codepoint=male_outlined male_outlined=material/male_outlined.png f89d.codepoint=male_rounded male_rounded=material/male_rounded.png eabe.codepoint=male_sharp male_sharp=material/male_sharp.png f0538.codepoint=man man=material/man.png f0630.codepoint=man_outlined man_outlined=material/man_outlined.png f034f.codepoint=man_rounded man_rounded=material/man_rounded.png f0442.codepoint=man_sharp man_sharp=material/man_sharp.png e3c6.codepoint=manage_accounts manage_accounts=material/manage_accounts.png f1ac.codepoint=manage_accounts_outlined manage_accounts_outlined=material/manage_accounts_outlined.png f89e.codepoint=manage_accounts_rounded manage_accounts_rounded=material/manage_accounts_rounded.png eabf.codepoint=manage_accounts_sharp manage_accounts_sharp=material/manage_accounts_sharp.png f07ab.codepoint=manage_history manage_history=material/manage_history.png f06fb.codepoint=manage_history_outlined manage_history_outlined=material/manage_history_outlined.png f0803.codepoint=manage_history_rounded manage_history_rounded=material/manage_history_rounded.png f0753.codepoint=manage_history_sharp manage_history_sharp=material/manage_history_sharp.png e3c7.codepoint=manage_search manage_search=material/manage_search.png f1ad.codepoint=manage_search_outlined manage_search_outlined=material/manage_search_outlined.png f89f.codepoint=manage_search_rounded manage_search_rounded=material/manage_search_rounded.png eac0.codepoint=manage_search_sharp manage_search_sharp=material/manage_search_sharp.png e3c8.codepoint=map map=material/map.png f1ae.codepoint=map_outlined map_outlined=material/map_outlined.png f8a0.codepoint=map_rounded map_rounded=material/map_rounded.png eac1.codepoint=map_sharp map_sharp=material/map_sharp.png e3c9.codepoint=maps_home_work maps_home_work=material/maps_home_work.png f1af.codepoint=maps_home_work_outlined maps_home_work_outlined=material/maps_home_work_outlined.png f8a1.codepoint=maps_home_work_rounded maps_home_work_rounded=material/maps_home_work_rounded.png eac2.codepoint=maps_home_work_sharp maps_home_work_sharp=material/maps_home_work_sharp.png e3ca.codepoint=maps_ugc maps_ugc=material/maps_ugc.png f1b0.codepoint=maps_ugc_outlined maps_ugc_outlined=material/maps_ugc_outlined.png f8a2.codepoint=maps_ugc_rounded maps_ugc_rounded=material/maps_ugc_rounded.png eac3.codepoint=maps_ugc_sharp maps_ugc_sharp=material/maps_ugc_sharp.png e3cb.codepoint=margin margin=material/margin.png f1b1.codepoint=margin_outlined margin_outlined=material/margin_outlined.png f8a3.codepoint=margin_rounded margin_rounded=material/margin_rounded.png eac4.codepoint=margin_sharp margin_sharp=material/margin_sharp.png e3cc.codepoint=mark_as_unread mark_as_unread=material/mark_as_unread.png f1b2.codepoint=mark_as_unread_outlined mark_as_unread_outlined=material/mark_as_unread_outlined.png f8a4.codepoint=mark_as_unread_rounded mark_as_unread_rounded=material/mark_as_unread_rounded.png eac5.codepoint=mark_as_unread_sharp mark_as_unread_sharp=material/mark_as_unread_sharp.png e3cd.codepoint=mark_chat_read mark_chat_read=material/mark_chat_read.png f1b3.codepoint=mark_chat_read_outlined mark_chat_read_outlined=material/mark_chat_read_outlined.png f8a5.codepoint=mark_chat_read_rounded mark_chat_read_rounded=material/mark_chat_read_rounded.png eac6.codepoint=mark_chat_read_sharp mark_chat_read_sharp=material/mark_chat_read_sharp.png e3ce.codepoint=mark_chat_unread mark_chat_unread=material/mark_chat_unread.png f1b4.codepoint=mark_chat_unread_outlined mark_chat_unread_outlined=material/mark_chat_unread_outlined.png f8a6.codepoint=mark_chat_unread_rounded mark_chat_unread_rounded=material/mark_chat_unread_rounded.png eac7.codepoint=mark_chat_unread_sharp mark_chat_unread_sharp=material/mark_chat_unread_sharp.png e3cf.codepoint=mark_email_read mark_email_read=material/mark_email_read.png f1b5.codepoint=mark_email_read_outlined mark_email_read_outlined=material/mark_email_read_outlined.png f8a7.codepoint=mark_email_read_rounded mark_email_read_rounded=material/mark_email_read_rounded.png eac8.codepoint=mark_email_read_sharp mark_email_read_sharp=material/mark_email_read_sharp.png e3d0.codepoint=mark_email_unread mark_email_unread=material/mark_email_unread.png f1b6.codepoint=mark_email_unread_outlined mark_email_unread_outlined=material/mark_email_unread_outlined.png f8a8.codepoint=mark_email_unread_rounded mark_email_unread_rounded=material/mark_email_unread_rounded.png eac9.codepoint=mark_email_unread_sharp mark_email_unread_sharp=material/mark_email_unread_sharp.png f0539.codepoint=mark_unread_chat_alt mark_unread_chat_alt=material/mark_unread_chat_alt.png f0631.codepoint=mark_unread_chat_alt_outlined mark_unread_chat_alt_outlined=material/mark_unread_chat_alt_outlined.png f0350.codepoint=mark_unread_chat_alt_rounded mark_unread_chat_alt_rounded=material/mark_unread_chat_alt_rounded.png f0443.codepoint=mark_unread_chat_alt_sharp mark_unread_chat_alt_sharp=material/mark_unread_chat_alt_sharp.png e3d1.codepoint=markunread markunread=material/markunread.png e3d2.codepoint=markunread_mailbox markunread_mailbox=material/markunread_mailbox.png f1b7.codepoint=markunread_mailbox_outlined markunread_mailbox_outlined=material/markunread_mailbox_outlined.png f8a9.codepoint=markunread_mailbox_rounded markunread_mailbox_rounded=material/markunread_mailbox_rounded.png eaca.codepoint=markunread_mailbox_sharp markunread_mailbox_sharp=material/markunread_mailbox_sharp.png f1b8.codepoint=markunread_outlined markunread_outlined=material/markunread_outlined.png f8aa.codepoint=markunread_rounded markunread_rounded=material/markunread_rounded.png eacb.codepoint=markunread_sharp markunread_sharp=material/markunread_sharp.png e3d3.codepoint=masks masks=material/masks.png f1b9.codepoint=masks_outlined masks_outlined=material/masks_outlined.png f8ab.codepoint=masks_rounded masks_rounded=material/masks_rounded.png eacc.codepoint=masks_sharp masks_sharp=material/masks_sharp.png e3d4.codepoint=maximize maximize=material/maximize.png f1ba.codepoint=maximize_outlined maximize_outlined=material/maximize_outlined.png f8ac.codepoint=maximize_rounded maximize_rounded=material/maximize_rounded.png eacd.codepoint=maximize_sharp maximize_sharp=material/maximize_sharp.png e3d5.codepoint=media_bluetooth_off media_bluetooth_off=material/media_bluetooth_off.png f1bb.codepoint=media_bluetooth_off_outlined media_bluetooth_off_outlined=material/media_bluetooth_off_outlined.png f8ad.codepoint=media_bluetooth_off_rounded media_bluetooth_off_rounded=material/media_bluetooth_off_rounded.png eace.codepoint=media_bluetooth_off_sharp media_bluetooth_off_sharp=material/media_bluetooth_off_sharp.png e3d6.codepoint=media_bluetooth_on media_bluetooth_on=material/media_bluetooth_on.png f1bc.codepoint=media_bluetooth_on_outlined media_bluetooth_on_outlined=material/media_bluetooth_on_outlined.png f8ae.codepoint=media_bluetooth_on_rounded media_bluetooth_on_rounded=material/media_bluetooth_on_rounded.png eacf.codepoint=media_bluetooth_on_sharp media_bluetooth_on_sharp=material/media_bluetooth_on_sharp.png e3d7.codepoint=mediation mediation=material/mediation.png f1bd.codepoint=mediation_outlined mediation_outlined=material/mediation_outlined.png f8af.codepoint=mediation_rounded mediation_rounded=material/mediation_rounded.png ead0.codepoint=mediation_sharp mediation_sharp=material/mediation_sharp.png f07ac.codepoint=medical_information medical_information=material/medical_information.png f06fc.codepoint=medical_information_outlined medical_information_outlined=material/medical_information_outlined.png f0804.codepoint=medical_information_rounded medical_information_rounded=material/medical_information_rounded.png f0754.codepoint=medical_information_sharp medical_information_sharp=material/medical_information_sharp.png e3d8.codepoint=medical_services medical_services=material/medical_services.png f1be.codepoint=medical_services_outlined medical_services_outlined=material/medical_services_outlined.png f8b0.codepoint=medical_services_rounded medical_services_rounded=material/medical_services_rounded.png ead1.codepoint=medical_services_sharp medical_services_sharp=material/medical_services_sharp.png e3d9.codepoint=medication medication=material/medication.png f053a.codepoint=medication_liquid medication_liquid=material/medication_liquid.png f0632.codepoint=medication_liquid_outlined medication_liquid_outlined=material/medication_liquid_outlined.png f0351.codepoint=medication_liquid_rounded medication_liquid_rounded=material/medication_liquid_rounded.png f0444.codepoint=medication_liquid_sharp medication_liquid_sharp=material/medication_liquid_sharp.png f1bf.codepoint=medication_outlined medication_outlined=material/medication_outlined.png f8b1.codepoint=medication_rounded medication_rounded=material/medication_rounded.png ead2.codepoint=medication_sharp medication_sharp=material/medication_sharp.png e3da.codepoint=meeting_room meeting_room=material/meeting_room.png f1c0.codepoint=meeting_room_outlined meeting_room_outlined=material/meeting_room_outlined.png f8b2.codepoint=meeting_room_rounded meeting_room_rounded=material/meeting_room_rounded.png ead3.codepoint=meeting_room_sharp meeting_room_sharp=material/meeting_room_sharp.png e3db.codepoint=memory memory=material/memory.png f1c1.codepoint=memory_outlined memory_outlined=material/memory_outlined.png f8b3.codepoint=memory_rounded memory_rounded=material/memory_rounded.png ead4.codepoint=memory_sharp memory_sharp=material/memory_sharp.png e3dc.codepoint=menu menu=material/menu.png e3dd.codepoint=menu_book menu_book=material/menu_book.png f1c2.codepoint=menu_book_outlined menu_book_outlined=material/menu_book_outlined.png f8b4.codepoint=menu_book_rounded menu_book_rounded=material/menu_book_rounded.png ead5.codepoint=menu_book_sharp menu_book_sharp=material/menu_book_sharp.png e3de.codepoint=menu_open menu_open=material/menu_open.png f1c3.codepoint=menu_open_outlined menu_open_outlined=material/menu_open_outlined.png f8b5.codepoint=menu_open_rounded menu_open_rounded=material/menu_open_rounded.png ead6.codepoint=menu_open_sharp menu_open_sharp=material/menu_open_sharp.png f1c4.codepoint=menu_outlined menu_outlined=material/menu_outlined.png f8b6.codepoint=menu_rounded menu_rounded=material/menu_rounded.png ead7.codepoint=menu_sharp menu_sharp=material/menu_sharp.png f053b.codepoint=merge merge=material/merge.png f0633.codepoint=merge_outlined merge_outlined=material/merge_outlined.png f0352.codepoint=merge_rounded merge_rounded=material/merge_rounded.png f0445.codepoint=merge_sharp merge_sharp=material/merge_sharp.png e3df.codepoint=merge_type merge_type=material/merge_type.png f1c5.codepoint=merge_type_outlined merge_type_outlined=material/merge_type_outlined.png f8b7.codepoint=merge_type_rounded merge_type_rounded=material/merge_type_rounded.png ead8.codepoint=merge_type_sharp merge_type_sharp=material/merge_type_sharp.png e3e0.codepoint=message message=material/message.png f1c6.codepoint=message_outlined message_outlined=material/message_outlined.png f8b8.codepoint=message_rounded message_rounded=material/message_rounded.png ead9.codepoint=message_sharp message_sharp=material/message_sharp.png # e154.codepoint=messenger messenger=material/messenger.png # e155.codepoint=messenger_outline messenger_outline=material/messenger_outline.png # ef42.codepoint=messenger_outline_outlined messenger_outline_outlined=material/messenger_outline_outlined.png # f62f.codepoint=messenger_outline_rounded messenger_outline_rounded=material/messenger_outline_rounded.png # e850.codepoint=messenger_outline_sharp messenger_outline_sharp=material/messenger_outline_sharp.png # ef43.codepoint=messenger_outlined messenger_outlined=material/messenger_outlined.png # f630.codepoint=messenger_rounded messenger_rounded=material/messenger_rounded.png # e851.codepoint=messenger_sharp messenger_sharp=material/messenger_sharp.png e3e1.codepoint=mic mic=material/mic.png e3e2.codepoint=mic_external_off mic_external_off=material/mic_external_off.png f1c7.codepoint=mic_external_off_outlined mic_external_off_outlined=material/mic_external_off_outlined.png f8b9.codepoint=mic_external_off_rounded mic_external_off_rounded=material/mic_external_off_rounded.png eada.codepoint=mic_external_off_sharp mic_external_off_sharp=material/mic_external_off_sharp.png e3e3.codepoint=mic_external_on mic_external_on=material/mic_external_on.png f1c8.codepoint=mic_external_on_outlined mic_external_on_outlined=material/mic_external_on_outlined.png f8ba.codepoint=mic_external_on_rounded mic_external_on_rounded=material/mic_external_on_rounded.png eadb.codepoint=mic_external_on_sharp mic_external_on_sharp=material/mic_external_on_sharp.png e3e4.codepoint=mic_none mic_none=material/mic_none.png f1c9.codepoint=mic_none_outlined mic_none_outlined=material/mic_none_outlined.png f8bb.codepoint=mic_none_rounded mic_none_rounded=material/mic_none_rounded.png eadc.codepoint=mic_none_sharp mic_none_sharp=material/mic_none_sharp.png e3e5.codepoint=mic_off mic_off=material/mic_off.png f1ca.codepoint=mic_off_outlined mic_off_outlined=material/mic_off_outlined.png f8bc.codepoint=mic_off_rounded mic_off_rounded=material/mic_off_rounded.png eadd.codepoint=mic_off_sharp mic_off_sharp=material/mic_off_sharp.png f1cb.codepoint=mic_outlined mic_outlined=material/mic_outlined.png f8bd.codepoint=mic_rounded mic_rounded=material/mic_rounded.png eade.codepoint=mic_sharp mic_sharp=material/mic_sharp.png e3e6.codepoint=microwave microwave=material/microwave.png f1cc.codepoint=microwave_outlined microwave_outlined=material/microwave_outlined.png f8be.codepoint=microwave_rounded microwave_rounded=material/microwave_rounded.png eadf.codepoint=microwave_sharp microwave_sharp=material/microwave_sharp.png e3e7.codepoint=military_tech military_tech=material/military_tech.png f1cd.codepoint=military_tech_outlined military_tech_outlined=material/military_tech_outlined.png f8bf.codepoint=military_tech_rounded military_tech_rounded=material/military_tech_rounded.png eae0.codepoint=military_tech_sharp military_tech_sharp=material/military_tech_sharp.png e3e8.codepoint=minimize minimize=material/minimize.png f1ce.codepoint=minimize_outlined minimize_outlined=material/minimize_outlined.png f8c0.codepoint=minimize_rounded minimize_rounded=material/minimize_rounded.png eae1.codepoint=minimize_sharp minimize_sharp=material/minimize_sharp.png f07ad.codepoint=minor_crash minor_crash=material/minor_crash.png f06fd.codepoint=minor_crash_outlined minor_crash_outlined=material/minor_crash_outlined.png f0805.codepoint=minor_crash_rounded minor_crash_rounded=material/minor_crash_rounded.png f0755.codepoint=minor_crash_sharp minor_crash_sharp=material/minor_crash_sharp.png e3e9.codepoint=miscellaneous_services miscellaneous_services=material/miscellaneous_services.png f1cf.codepoint=miscellaneous_services_outlined miscellaneous_services_outlined=material/miscellaneous_services_outlined.png f8c1.codepoint=miscellaneous_services_rounded miscellaneous_services_rounded=material/miscellaneous_services_rounded.png eae2.codepoint=miscellaneous_services_sharp miscellaneous_services_sharp=material/miscellaneous_services_sharp.png e3ea.codepoint=missed_video_call missed_video_call=material/missed_video_call.png f1d0.codepoint=missed_video_call_outlined missed_video_call_outlined=material/missed_video_call_outlined.png f8c2.codepoint=missed_video_call_rounded missed_video_call_rounded=material/missed_video_call_rounded.png eae3.codepoint=missed_video_call_sharp missed_video_call_sharp=material/missed_video_call_sharp.png e3eb.codepoint=mms mms=material/mms.png f1d1.codepoint=mms_outlined mms_outlined=material/mms_outlined.png f8c3.codepoint=mms_rounded mms_rounded=material/mms_rounded.png eae4.codepoint=mms_sharp mms_sharp=material/mms_sharp.png e3ec.codepoint=mobile_friendly mobile_friendly=material/mobile_friendly.png f1d2.codepoint=mobile_friendly_outlined mobile_friendly_outlined=material/mobile_friendly_outlined.png f8c4.codepoint=mobile_friendly_rounded mobile_friendly_rounded=material/mobile_friendly_rounded.png eae5.codepoint=mobile_friendly_sharp mobile_friendly_sharp=material/mobile_friendly_sharp.png e3ed.codepoint=mobile_off mobile_off=material/mobile_off.png f1d3.codepoint=mobile_off_outlined mobile_off_outlined=material/mobile_off_outlined.png f8c5.codepoint=mobile_off_rounded mobile_off_rounded=material/mobile_off_rounded.png eae6.codepoint=mobile_off_sharp mobile_off_sharp=material/mobile_off_sharp.png e3ee.codepoint=mobile_screen_share mobile_screen_share=material/mobile_screen_share.png f1d4.codepoint=mobile_screen_share_outlined mobile_screen_share_outlined=material/mobile_screen_share_outlined.png f8c6.codepoint=mobile_screen_share_rounded mobile_screen_share_rounded=material/mobile_screen_share_rounded.png eae7.codepoint=mobile_screen_share_sharp mobile_screen_share_sharp=material/mobile_screen_share_sharp.png e3ef.codepoint=mobiledata_off mobiledata_off=material/mobiledata_off.png f1d5.codepoint=mobiledata_off_outlined mobiledata_off_outlined=material/mobiledata_off_outlined.png f8c7.codepoint=mobiledata_off_rounded mobiledata_off_rounded=material/mobiledata_off_rounded.png eae8.codepoint=mobiledata_off_sharp mobiledata_off_sharp=material/mobiledata_off_sharp.png e3f0.codepoint=mode mode=material/mode.png e3f1.codepoint=mode_comment mode_comment=material/mode_comment.png f1d6.codepoint=mode_comment_outlined mode_comment_outlined=material/mode_comment_outlined.png f8c8.codepoint=mode_comment_rounded mode_comment_rounded=material/mode_comment_rounded.png eae9.codepoint=mode_comment_sharp mode_comment_sharp=material/mode_comment_sharp.png e3f2.codepoint=mode_edit mode_edit=material/mode_edit.png e3f3.codepoint=mode_edit_outline mode_edit_outline=material/mode_edit_outline.png f1d7.codepoint=mode_edit_outline_outlined mode_edit_outline_outlined=material/mode_edit_outline_outlined.png f8c9.codepoint=mode_edit_outline_rounded mode_edit_outline_rounded=material/mode_edit_outline_rounded.png eaea.codepoint=mode_edit_outline_sharp mode_edit_outline_sharp=material/mode_edit_outline_sharp.png f1d8.codepoint=mode_edit_outlined mode_edit_outlined=material/mode_edit_outlined.png f8ca.codepoint=mode_edit_rounded mode_edit_rounded=material/mode_edit_rounded.png eaeb.codepoint=mode_edit_sharp mode_edit_sharp=material/mode_edit_sharp.png f07ae.codepoint=mode_fan_off mode_fan_off=material/mode_fan_off.png f06fe.codepoint=mode_fan_off_outlined mode_fan_off_outlined=material/mode_fan_off_outlined.png f0806.codepoint=mode_fan_off_rounded mode_fan_off_rounded=material/mode_fan_off_rounded.png f0756.codepoint=mode_fan_off_sharp mode_fan_off_sharp=material/mode_fan_off_sharp.png e3f4.codepoint=mode_night mode_night=material/mode_night.png f1d9.codepoint=mode_night_outlined mode_night_outlined=material/mode_night_outlined.png f8cb.codepoint=mode_night_rounded mode_night_rounded=material/mode_night_rounded.png eaec.codepoint=mode_night_sharp mode_night_sharp=material/mode_night_sharp.png f053c.codepoint=mode_of_travel mode_of_travel=material/mode_of_travel.png f0634.codepoint=mode_of_travel_outlined mode_of_travel_outlined=material/mode_of_travel_outlined.png f0353.codepoint=mode_of_travel_rounded mode_of_travel_rounded=material/mode_of_travel_rounded.png f0446.codepoint=mode_of_travel_sharp mode_of_travel_sharp=material/mode_of_travel_sharp.png f1da.codepoint=mode_outlined mode_outlined=material/mode_outlined.png f8cc.codepoint=mode_rounded mode_rounded=material/mode_rounded.png eaed.codepoint=mode_sharp mode_sharp=material/mode_sharp.png e3f5.codepoint=mode_standby mode_standby=material/mode_standby.png f1db.codepoint=mode_standby_outlined mode_standby_outlined=material/mode_standby_outlined.png f8cd.codepoint=mode_standby_rounded mode_standby_rounded=material/mode_standby_rounded.png eaee.codepoint=mode_standby_sharp mode_standby_sharp=material/mode_standby_sharp.png e3f6.codepoint=model_training model_training=material/model_training.png f1dc.codepoint=model_training_outlined model_training_outlined=material/model_training_outlined.png f8ce.codepoint=model_training_rounded model_training_rounded=material/model_training_rounded.png eaef.codepoint=model_training_sharp model_training_sharp=material/model_training_sharp.png e3f7.codepoint=monetization_on monetization_on=material/monetization_on.png f1dd.codepoint=monetization_on_outlined monetization_on_outlined=material/monetization_on_outlined.png f8cf.codepoint=monetization_on_rounded monetization_on_rounded=material/monetization_on_rounded.png eaf0.codepoint=monetization_on_sharp monetization_on_sharp=material/monetization_on_sharp.png e3f8.codepoint=money money=material/money.png e3f9.codepoint=money_off money_off=material/money_off.png e3fa.codepoint=money_off_csred money_off_csred=material/money_off_csred.png f1de.codepoint=money_off_csred_outlined money_off_csred_outlined=material/money_off_csred_outlined.png f8d0.codepoint=money_off_csred_rounded money_off_csred_rounded=material/money_off_csred_rounded.png eaf1.codepoint=money_off_csred_sharp money_off_csred_sharp=material/money_off_csred_sharp.png f1df.codepoint=money_off_outlined money_off_outlined=material/money_off_outlined.png f8d1.codepoint=money_off_rounded money_off_rounded=material/money_off_rounded.png eaf2.codepoint=money_off_sharp money_off_sharp=material/money_off_sharp.png f1e0.codepoint=money_outlined money_outlined=material/money_outlined.png f8d2.codepoint=money_rounded money_rounded=material/money_rounded.png eaf3.codepoint=money_sharp money_sharp=material/money_sharp.png e3fb.codepoint=monitor monitor=material/monitor.png f053d.codepoint=monitor_heart monitor_heart=material/monitor_heart.png f0635.codepoint=monitor_heart_outlined monitor_heart_outlined=material/monitor_heart_outlined.png f0354.codepoint=monitor_heart_rounded monitor_heart_rounded=material/monitor_heart_rounded.png f0447.codepoint=monitor_heart_sharp monitor_heart_sharp=material/monitor_heart_sharp.png f1e1.codepoint=monitor_outlined monitor_outlined=material/monitor_outlined.png f8d3.codepoint=monitor_rounded monitor_rounded=material/monitor_rounded.png eaf4.codepoint=monitor_sharp monitor_sharp=material/monitor_sharp.png e3fc.codepoint=monitor_weight monitor_weight=material/monitor_weight.png f1e2.codepoint=monitor_weight_outlined monitor_weight_outlined=material/monitor_weight_outlined.png f8d4.codepoint=monitor_weight_rounded monitor_weight_rounded=material/monitor_weight_rounded.png eaf5.codepoint=monitor_weight_sharp monitor_weight_sharp=material/monitor_weight_sharp.png e3fd.codepoint=monochrome_photos monochrome_photos=material/monochrome_photos.png f1e3.codepoint=monochrome_photos_outlined monochrome_photos_outlined=material/monochrome_photos_outlined.png f8d5.codepoint=monochrome_photos_rounded monochrome_photos_rounded=material/monochrome_photos_rounded.png eaf6.codepoint=monochrome_photos_sharp monochrome_photos_sharp=material/monochrome_photos_sharp.png e3fe.codepoint=mood mood=material/mood.png e3ff.codepoint=mood_bad mood_bad=material/mood_bad.png f1e4.codepoint=mood_bad_outlined mood_bad_outlined=material/mood_bad_outlined.png f8d6.codepoint=mood_bad_rounded mood_bad_rounded=material/mood_bad_rounded.png eaf7.codepoint=mood_bad_sharp mood_bad_sharp=material/mood_bad_sharp.png f1e5.codepoint=mood_outlined mood_outlined=material/mood_outlined.png f8d7.codepoint=mood_rounded mood_rounded=material/mood_rounded.png eaf8.codepoint=mood_sharp mood_sharp=material/mood_sharp.png e400.codepoint=moped moped=material/moped.png f1e6.codepoint=moped_outlined moped_outlined=material/moped_outlined.png f8d8.codepoint=moped_rounded moped_rounded=material/moped_rounded.png eaf9.codepoint=moped_sharp moped_sharp=material/moped_sharp.png e401.codepoint=more more=material/more.png # e402.codepoint=more_horiz more_horiz=material/more_horiz.png # f1e7.codepoint=more_horiz_outlined more_horiz_outlined=material/more_horiz_outlined.png # f8d9.codepoint=more_horiz_rounded more_horiz_rounded=material/more_horiz_rounded.png # eafa.codepoint=more_horiz_sharp more_horiz_sharp=material/more_horiz_sharp.png f1e8.codepoint=more_outlined more_outlined=material/more_outlined.png f8da.codepoint=more_rounded more_rounded=material/more_rounded.png eafb.codepoint=more_sharp more_sharp=material/more_sharp.png e403.codepoint=more_time more_time=material/more_time.png f1e9.codepoint=more_time_outlined more_time_outlined=material/more_time_outlined.png f8db.codepoint=more_time_rounded more_time_rounded=material/more_time_rounded.png eafc.codepoint=more_time_sharp more_time_sharp=material/more_time_sharp.png e404.codepoint=more_vert more_vert=material/more_vert.png f1ea.codepoint=more_vert_outlined more_vert_outlined=material/more_vert_outlined.png f8dc.codepoint=more_vert_rounded more_vert_rounded=material/more_vert_rounded.png eafd.codepoint=more_vert_sharp more_vert_sharp=material/more_vert_sharp.png f053e.codepoint=mosque mosque=material/mosque.png f0636.codepoint=mosque_outlined mosque_outlined=material/mosque_outlined.png f0355.codepoint=mosque_rounded mosque_rounded=material/mosque_rounded.png f0448.codepoint=mosque_sharp mosque_sharp=material/mosque_sharp.png e405.codepoint=motion_photos_auto motion_photos_auto=material/motion_photos_auto.png f1eb.codepoint=motion_photos_auto_outlined motion_photos_auto_outlined=material/motion_photos_auto_outlined.png f8dd.codepoint=motion_photos_auto_rounded motion_photos_auto_rounded=material/motion_photos_auto_rounded.png eafe.codepoint=motion_photos_auto_sharp motion_photos_auto_sharp=material/motion_photos_auto_sharp.png e406.codepoint=motion_photos_off motion_photos_off=material/motion_photos_off.png f1ec.codepoint=motion_photos_off_outlined motion_photos_off_outlined=material/motion_photos_off_outlined.png f8de.codepoint=motion_photos_off_rounded motion_photos_off_rounded=material/motion_photos_off_rounded.png eaff.codepoint=motion_photos_off_sharp motion_photos_off_sharp=material/motion_photos_off_sharp.png e407.codepoint=motion_photos_on motion_photos_on=material/motion_photos_on.png f1ed.codepoint=motion_photos_on_outlined motion_photos_on_outlined=material/motion_photos_on_outlined.png f8df.codepoint=motion_photos_on_rounded motion_photos_on_rounded=material/motion_photos_on_rounded.png eb00.codepoint=motion_photos_on_sharp motion_photos_on_sharp=material/motion_photos_on_sharp.png e408.codepoint=motion_photos_pause motion_photos_pause=material/motion_photos_pause.png f1ee.codepoint=motion_photos_pause_outlined motion_photos_pause_outlined=material/motion_photos_pause_outlined.png f8e0.codepoint=motion_photos_pause_rounded motion_photos_pause_rounded=material/motion_photos_pause_rounded.png eb01.codepoint=motion_photos_pause_sharp motion_photos_pause_sharp=material/motion_photos_pause_sharp.png e409.codepoint=motion_photos_paused motion_photos_paused=material/motion_photos_paused.png f1ef.codepoint=motion_photos_paused_outlined motion_photos_paused_outlined=material/motion_photos_paused_outlined.png f8e1.codepoint=motion_photos_paused_rounded motion_photos_paused_rounded=material/motion_photos_paused_rounded.png eb02.codepoint=motion_photos_paused_sharp motion_photos_paused_sharp=material/motion_photos_paused_sharp.png e40a.codepoint=motorcycle motorcycle=material/motorcycle.png f1f0.codepoint=motorcycle_outlined motorcycle_outlined=material/motorcycle_outlined.png f8e2.codepoint=motorcycle_rounded motorcycle_rounded=material/motorcycle_rounded.png eb03.codepoint=motorcycle_sharp motorcycle_sharp=material/motorcycle_sharp.png e40b.codepoint=mouse mouse=material/mouse.png f1f1.codepoint=mouse_outlined mouse_outlined=material/mouse_outlined.png f8e3.codepoint=mouse_rounded mouse_rounded=material/mouse_rounded.png eb04.codepoint=mouse_sharp mouse_sharp=material/mouse_sharp.png f053f.codepoint=move_down move_down=material/move_down.png f0637.codepoint=move_down_outlined move_down_outlined=material/move_down_outlined.png f0356.codepoint=move_down_rounded move_down_rounded=material/move_down_rounded.png f0449.codepoint=move_down_sharp move_down_sharp=material/move_down_sharp.png e40c.codepoint=move_to_inbox move_to_inbox=material/move_to_inbox.png f1f2.codepoint=move_to_inbox_outlined move_to_inbox_outlined=material/move_to_inbox_outlined.png f8e4.codepoint=move_to_inbox_rounded move_to_inbox_rounded=material/move_to_inbox_rounded.png eb05.codepoint=move_to_inbox_sharp move_to_inbox_sharp=material/move_to_inbox_sharp.png f0540.codepoint=move_up move_up=material/move_up.png f0638.codepoint=move_up_outlined move_up_outlined=material/move_up_outlined.png f0357.codepoint=move_up_rounded move_up_rounded=material/move_up_rounded.png f044a.codepoint=move_up_sharp move_up_sharp=material/move_up_sharp.png e40d.codepoint=movie movie=material/movie.png e40e.codepoint=movie_creation movie_creation=material/movie_creation.png f1f3.codepoint=movie_creation_outlined movie_creation_outlined=material/movie_creation_outlined.png f8e5.codepoint=movie_creation_rounded movie_creation_rounded=material/movie_creation_rounded.png eb06.codepoint=movie_creation_sharp movie_creation_sharp=material/movie_creation_sharp.png e40f.codepoint=movie_filter movie_filter=material/movie_filter.png f1f4.codepoint=movie_filter_outlined movie_filter_outlined=material/movie_filter_outlined.png f8e6.codepoint=movie_filter_rounded movie_filter_rounded=material/movie_filter_rounded.png eb07.codepoint=movie_filter_sharp movie_filter_sharp=material/movie_filter_sharp.png f1f5.codepoint=movie_outlined movie_outlined=material/movie_outlined.png f8e7.codepoint=movie_rounded movie_rounded=material/movie_rounded.png eb08.codepoint=movie_sharp movie_sharp=material/movie_sharp.png e410.codepoint=moving moving=material/moving.png f1f6.codepoint=moving_outlined moving_outlined=material/moving_outlined.png f8e8.codepoint=moving_rounded moving_rounded=material/moving_rounded.png eb09.codepoint=moving_sharp moving_sharp=material/moving_sharp.png e411.codepoint=mp mp=material/mp.png f1f7.codepoint=mp_outlined mp_outlined=material/mp_outlined.png f8e9.codepoint=mp_rounded mp_rounded=material/mp_rounded.png eb0a.codepoint=mp_sharp mp_sharp=material/mp_sharp.png e412.codepoint=multiline_chart multiline_chart=material/multiline_chart.png f1f8.codepoint=multiline_chart_outlined multiline_chart_outlined=material/multiline_chart_outlined.png f8ea.codepoint=multiline_chart_rounded multiline_chart_rounded=material/multiline_chart_rounded.png eb0b.codepoint=multiline_chart_sharp multiline_chart_sharp=material/multiline_chart_sharp.png e413.codepoint=multiple_stop multiple_stop=material/multiple_stop.png f1f9.codepoint=multiple_stop_outlined multiple_stop_outlined=material/multiple_stop_outlined.png f8eb.codepoint=multiple_stop_rounded multiple_stop_rounded=material/multiple_stop_rounded.png eb0c.codepoint=multiple_stop_sharp multiple_stop_sharp=material/multiple_stop_sharp.png # e2e3.codepoint=multitrack_audio multitrack_audio=material/multitrack_audio.png # f0d0.codepoint=multitrack_audio_outlined multitrack_audio_outlined=material/multitrack_audio_outlined.png # f7bd.codepoint=multitrack_audio_rounded multitrack_audio_rounded=material/multitrack_audio_rounded.png # e9de.codepoint=multitrack_audio_sharp multitrack_audio_sharp=material/multitrack_audio_sharp.png e414.codepoint=museum museum=material/museum.png f1fa.codepoint=museum_outlined museum_outlined=material/museum_outlined.png f8ec.codepoint=museum_rounded museum_rounded=material/museum_rounded.png eb0d.codepoint=museum_sharp museum_sharp=material/museum_sharp.png e415.codepoint=music_note music_note=material/music_note.png f1fb.codepoint=music_note_outlined music_note_outlined=material/music_note_outlined.png f8ed.codepoint=music_note_rounded music_note_rounded=material/music_note_rounded.png eb0e.codepoint=music_note_sharp music_note_sharp=material/music_note_sharp.png e416.codepoint=music_off music_off=material/music_off.png f1fc.codepoint=music_off_outlined music_off_outlined=material/music_off_outlined.png f8ee.codepoint=music_off_rounded music_off_rounded=material/music_off_rounded.png eb0f.codepoint=music_off_sharp music_off_sharp=material/music_off_sharp.png e417.codepoint=music_video music_video=material/music_video.png f1fd.codepoint=music_video_outlined music_video_outlined=material/music_video_outlined.png f8ef.codepoint=music_video_rounded music_video_rounded=material/music_video_rounded.png eb10.codepoint=music_video_sharp music_video_sharp=material/music_video_sharp.png # e375.codepoint=my_library_add my_library_add=material/my_library_add.png # f15f.codepoint=my_library_add_outlined my_library_add_outlined=material/my_library_add_outlined.png # f84f.codepoint=my_library_add_rounded my_library_add_rounded=material/my_library_add_rounded.png # ea70.codepoint=my_library_add_sharp my_library_add_sharp=material/my_library_add_sharp.png # e377.codepoint=my_library_books my_library_books=material/my_library_books.png # f160.codepoint=my_library_books_outlined my_library_books_outlined=material/my_library_books_outlined.png # f850.codepoint=my_library_books_rounded my_library_books_rounded=material/my_library_books_rounded.png # ea71.codepoint=my_library_books_sharp my_library_books_sharp=material/my_library_books_sharp.png # e378.codepoint=my_library_music my_library_music=material/my_library_music.png # f161.codepoint=my_library_music_outlined my_library_music_outlined=material/my_library_music_outlined.png # f851.codepoint=my_library_music_rounded my_library_music_rounded=material/my_library_music_rounded.png # ea72.codepoint=my_library_music_sharp my_library_music_sharp=material/my_library_music_sharp.png e418.codepoint=my_location my_location=material/my_location.png f1fe.codepoint=my_location_outlined my_location_outlined=material/my_location_outlined.png f8f0.codepoint=my_location_rounded my_location_rounded=material/my_location_rounded.png eb11.codepoint=my_location_sharp my_location_sharp=material/my_location_sharp.png e419.codepoint=nat nat=material/nat.png f1ff.codepoint=nat_outlined nat_outlined=material/nat_outlined.png f8f1.codepoint=nat_rounded nat_rounded=material/nat_rounded.png eb12.codepoint=nat_sharp nat_sharp=material/nat_sharp.png e41a.codepoint=nature nature=material/nature.png f200.codepoint=nature_outlined nature_outlined=material/nature_outlined.png e41b.codepoint=nature_people nature_people=material/nature_people.png f201.codepoint=nature_people_outlined nature_people_outlined=material/nature_people_outlined.png f8f2.codepoint=nature_people_rounded nature_people_rounded=material/nature_people_rounded.png eb13.codepoint=nature_people_sharp nature_people_sharp=material/nature_people_sharp.png f8f3.codepoint=nature_rounded nature_rounded=material/nature_rounded.png eb14.codepoint=nature_sharp nature_sharp=material/nature_sharp.png e41c.codepoint=navigate_before navigate_before=material/navigate_before.png f202.codepoint=navigate_before_outlined navigate_before_outlined=material/navigate_before_outlined.png f8f4.codepoint=navigate_before_rounded navigate_before_rounded=material/navigate_before_rounded.png eb15.codepoint=navigate_before_sharp navigate_before_sharp=material/navigate_before_sharp.png e41d.codepoint=navigate_next navigate_next=material/navigate_next.png f203.codepoint=navigate_next_outlined navigate_next_outlined=material/navigate_next_outlined.png f8f5.codepoint=navigate_next_rounded navigate_next_rounded=material/navigate_next_rounded.png eb16.codepoint=navigate_next_sharp navigate_next_sharp=material/navigate_next_sharp.png e41e.codepoint=navigation navigation=material/navigation.png f204.codepoint=navigation_outlined navigation_outlined=material/navigation_outlined.png f8f6.codepoint=navigation_rounded navigation_rounded=material/navigation_rounded.png eb17.codepoint=navigation_sharp navigation_sharp=material/navigation_sharp.png e41f.codepoint=near_me near_me=material/near_me.png e420.codepoint=near_me_disabled near_me_disabled=material/near_me_disabled.png f205.codepoint=near_me_disabled_outlined near_me_disabled_outlined=material/near_me_disabled_outlined.png f8f7.codepoint=near_me_disabled_rounded near_me_disabled_rounded=material/near_me_disabled_rounded.png eb18.codepoint=near_me_disabled_sharp near_me_disabled_sharp=material/near_me_disabled_sharp.png f206.codepoint=near_me_outlined near_me_outlined=material/near_me_outlined.png f8f8.codepoint=near_me_rounded near_me_rounded=material/near_me_rounded.png eb19.codepoint=near_me_sharp near_me_sharp=material/near_me_sharp.png e421.codepoint=nearby_error nearby_error=material/nearby_error.png f207.codepoint=nearby_error_outlined nearby_error_outlined=material/nearby_error_outlined.png f8f9.codepoint=nearby_error_rounded nearby_error_rounded=material/nearby_error_rounded.png eb1a.codepoint=nearby_error_sharp nearby_error_sharp=material/nearby_error_sharp.png e422.codepoint=nearby_off nearby_off=material/nearby_off.png f208.codepoint=nearby_off_outlined nearby_off_outlined=material/nearby_off_outlined.png f8fa.codepoint=nearby_off_rounded nearby_off_rounded=material/nearby_off_rounded.png eb1b.codepoint=nearby_off_sharp nearby_off_sharp=material/nearby_off_sharp.png f07af.codepoint=nest_cam_wired_stand nest_cam_wired_stand=material/nest_cam_wired_stand.png f06ff.codepoint=nest_cam_wired_stand_outlined nest_cam_wired_stand_outlined=material/nest_cam_wired_stand_outlined.png f0807.codepoint=nest_cam_wired_stand_rounded nest_cam_wired_stand_rounded=material/nest_cam_wired_stand_rounded.png f0757.codepoint=nest_cam_wired_stand_sharp nest_cam_wired_stand_sharp=material/nest_cam_wired_stand_sharp.png e423.codepoint=network_cell network_cell=material/network_cell.png f209.codepoint=network_cell_outlined network_cell_outlined=material/network_cell_outlined.png f8fb.codepoint=network_cell_rounded network_cell_rounded=material/network_cell_rounded.png eb1c.codepoint=network_cell_sharp network_cell_sharp=material/network_cell_sharp.png e424.codepoint=network_check network_check=material/network_check.png f20a.codepoint=network_check_outlined network_check_outlined=material/network_check_outlined.png f8fc.codepoint=network_check_rounded network_check_rounded=material/network_check_rounded.png eb1d.codepoint=network_check_sharp network_check_sharp=material/network_check_sharp.png e425.codepoint=network_locked network_locked=material/network_locked.png f20b.codepoint=network_locked_outlined network_locked_outlined=material/network_locked_outlined.png f8fd.codepoint=network_locked_rounded network_locked_rounded=material/network_locked_rounded.png eb1e.codepoint=network_locked_sharp network_locked_sharp=material/network_locked_sharp.png f06bf.codepoint=network_ping network_ping=material/network_ping.png f06a5.codepoint=network_ping_outlined network_ping_outlined=material/network_ping_outlined.png f06cc.codepoint=network_ping_rounded network_ping_rounded=material/network_ping_rounded.png f06b2.codepoint=network_ping_sharp network_ping_sharp=material/network_ping_sharp.png e426.codepoint=network_wifi network_wifi=material/network_wifi.png f07b0.codepoint=network_wifi_1_bar network_wifi_1_bar=material/network_wifi_1_bar.png f0700.codepoint=network_wifi_1_bar_outlined network_wifi_1_bar_outlined=material/network_wifi_1_bar_outlined.png f0808.codepoint=network_wifi_1_bar_rounded network_wifi_1_bar_rounded=material/network_wifi_1_bar_rounded.png f0758.codepoint=network_wifi_1_bar_sharp network_wifi_1_bar_sharp=material/network_wifi_1_bar_sharp.png f07b1.codepoint=network_wifi_2_bar network_wifi_2_bar=material/network_wifi_2_bar.png f0701.codepoint=network_wifi_2_bar_outlined network_wifi_2_bar_outlined=material/network_wifi_2_bar_outlined.png f0809.codepoint=network_wifi_2_bar_rounded network_wifi_2_bar_rounded=material/network_wifi_2_bar_rounded.png f0759.codepoint=network_wifi_2_bar_sharp network_wifi_2_bar_sharp=material/network_wifi_2_bar_sharp.png f07b2.codepoint=network_wifi_3_bar network_wifi_3_bar=material/network_wifi_3_bar.png f0702.codepoint=network_wifi_3_bar_outlined network_wifi_3_bar_outlined=material/network_wifi_3_bar_outlined.png f080a.codepoint=network_wifi_3_bar_rounded network_wifi_3_bar_rounded=material/network_wifi_3_bar_rounded.png f075a.codepoint=network_wifi_3_bar_sharp network_wifi_3_bar_sharp=material/network_wifi_3_bar_sharp.png f20c.codepoint=network_wifi_outlined network_wifi_outlined=material/network_wifi_outlined.png f8fe.codepoint=network_wifi_rounded network_wifi_rounded=material/network_wifi_rounded.png eb1f.codepoint=network_wifi_sharp network_wifi_sharp=material/network_wifi_sharp.png e427.codepoint=new_label new_label=material/new_label.png f20d.codepoint=new_label_outlined new_label_outlined=material/new_label_outlined.png f8ff.codepoint=new_label_rounded new_label_rounded=material/new_label_rounded.png eb20.codepoint=new_label_sharp new_label_sharp=material/new_label_sharp.png e428.codepoint=new_releases new_releases=material/new_releases.png f20e.codepoint=new_releases_outlined new_releases_outlined=material/new_releases_outlined.png f0000.codepoint=new_releases_rounded new_releases_rounded=material/new_releases_rounded.png eb21.codepoint=new_releases_sharp new_releases_sharp=material/new_releases_sharp.png f0541.codepoint=newspaper newspaper=material/newspaper.png f0639.codepoint=newspaper_outlined newspaper_outlined=material/newspaper_outlined.png f0358.codepoint=newspaper_rounded newspaper_rounded=material/newspaper_rounded.png f044b.codepoint=newspaper_sharp newspaper_sharp=material/newspaper_sharp.png e429.codepoint=next_plan next_plan=material/next_plan.png f20f.codepoint=next_plan_outlined next_plan_outlined=material/next_plan_outlined.png f0001.codepoint=next_plan_rounded next_plan_rounded=material/next_plan_rounded.png eb22.codepoint=next_plan_sharp next_plan_sharp=material/next_plan_sharp.png e42a.codepoint=next_week next_week=material/next_week.png f210.codepoint=next_week_outlined next_week_outlined=material/next_week_outlined.png f0002.codepoint=next_week_rounded next_week_rounded=material/next_week_rounded.png eb23.codepoint=next_week_sharp next_week_sharp=material/next_week_sharp.png e42b.codepoint=nfc nfc=material/nfc.png f211.codepoint=nfc_outlined nfc_outlined=material/nfc_outlined.png f0003.codepoint=nfc_rounded nfc_rounded=material/nfc_rounded.png eb24.codepoint=nfc_sharp nfc_sharp=material/nfc_sharp.png e42c.codepoint=night_shelter night_shelter=material/night_shelter.png f212.codepoint=night_shelter_outlined night_shelter_outlined=material/night_shelter_outlined.png f0004.codepoint=night_shelter_rounded night_shelter_rounded=material/night_shelter_rounded.png eb25.codepoint=night_shelter_sharp night_shelter_sharp=material/night_shelter_sharp.png e42d.codepoint=nightlife nightlife=material/nightlife.png f213.codepoint=nightlife_outlined nightlife_outlined=material/nightlife_outlined.png f0005.codepoint=nightlife_rounded nightlife_rounded=material/nightlife_rounded.png eb26.codepoint=nightlife_sharp nightlife_sharp=material/nightlife_sharp.png e42e.codepoint=nightlight nightlight=material/nightlight.png f214.codepoint=nightlight_outlined nightlight_outlined=material/nightlight_outlined.png e42f.codepoint=nightlight_round nightlight_round=material/nightlight_round.png f215.codepoint=nightlight_round_outlined nightlight_round_outlined=material/nightlight_round_outlined.png f0006.codepoint=nightlight_round_rounded nightlight_round_rounded=material/nightlight_round_rounded.png eb27.codepoint=nightlight_round_sharp nightlight_round_sharp=material/nightlight_round_sharp.png f0007.codepoint=nightlight_rounded nightlight_rounded=material/nightlight_rounded.png eb28.codepoint=nightlight_sharp nightlight_sharp=material/nightlight_sharp.png e430.codepoint=nights_stay nights_stay=material/nights_stay.png f216.codepoint=nights_stay_outlined nights_stay_outlined=material/nights_stay_outlined.png f0008.codepoint=nights_stay_rounded nights_stay_rounded=material/nights_stay_rounded.png eb29.codepoint=nights_stay_sharp nights_stay_sharp=material/nights_stay_sharp.png e034.codepoint=nine_k nine_k=material/nine_k.png ee26.codepoint=nine_k_outlined nine_k_outlined=material/nine_k_outlined.png e035.codepoint=nine_k_plus nine_k_plus=material/nine_k_plus.png ee27.codepoint=nine_k_plus_outlined nine_k_plus_outlined=material/nine_k_plus_outlined.png f513.codepoint=nine_k_plus_rounded nine_k_plus_rounded=material/nine_k_plus_rounded.png e734.codepoint=nine_k_plus_sharp nine_k_plus_sharp=material/nine_k_plus_sharp.png f514.codepoint=nine_k_rounded nine_k_rounded=material/nine_k_rounded.png e735.codepoint=nine_k_sharp nine_k_sharp=material/nine_k_sharp.png e036.codepoint=nine_mp nine_mp=material/nine_mp.png ee28.codepoint=nine_mp_outlined nine_mp_outlined=material/nine_mp_outlined.png f515.codepoint=nine_mp_rounded nine_mp_rounded=material/nine_mp_rounded.png e736.codepoint=nine_mp_sharp nine_mp_sharp=material/nine_mp_sharp.png e00a.codepoint=nineteen_mp nineteen_mp=material/nineteen_mp.png edfc.codepoint=nineteen_mp_outlined nineteen_mp_outlined=material/nineteen_mp_outlined.png f4e9.codepoint=nineteen_mp_rounded nineteen_mp_rounded=material/nineteen_mp_rounded.png e70a.codepoint=nineteen_mp_sharp nineteen_mp_sharp=material/nineteen_mp_sharp.png e431.codepoint=no_accounts no_accounts=material/no_accounts.png f217.codepoint=no_accounts_outlined no_accounts_outlined=material/no_accounts_outlined.png f0009.codepoint=no_accounts_rounded no_accounts_rounded=material/no_accounts_rounded.png eb2a.codepoint=no_accounts_sharp no_accounts_sharp=material/no_accounts_sharp.png f07b3.codepoint=no_adult_content no_adult_content=material/no_adult_content.png f0703.codepoint=no_adult_content_outlined no_adult_content_outlined=material/no_adult_content_outlined.png f080b.codepoint=no_adult_content_rounded no_adult_content_rounded=material/no_adult_content_rounded.png f075b.codepoint=no_adult_content_sharp no_adult_content_sharp=material/no_adult_content_sharp.png e432.codepoint=no_backpack no_backpack=material/no_backpack.png f218.codepoint=no_backpack_outlined no_backpack_outlined=material/no_backpack_outlined.png f000a.codepoint=no_backpack_rounded no_backpack_rounded=material/no_backpack_rounded.png eb2b.codepoint=no_backpack_sharp no_backpack_sharp=material/no_backpack_sharp.png e433.codepoint=no_cell no_cell=material/no_cell.png f219.codepoint=no_cell_outlined no_cell_outlined=material/no_cell_outlined.png f000b.codepoint=no_cell_rounded no_cell_rounded=material/no_cell_rounded.png eb2c.codepoint=no_cell_sharp no_cell_sharp=material/no_cell_sharp.png f07b4.codepoint=no_crash no_crash=material/no_crash.png f0704.codepoint=no_crash_outlined no_crash_outlined=material/no_crash_outlined.png f080c.codepoint=no_crash_rounded no_crash_rounded=material/no_crash_rounded.png f075c.codepoint=no_crash_sharp no_crash_sharp=material/no_crash_sharp.png e434.codepoint=no_drinks no_drinks=material/no_drinks.png f21a.codepoint=no_drinks_outlined no_drinks_outlined=material/no_drinks_outlined.png f000c.codepoint=no_drinks_rounded no_drinks_rounded=material/no_drinks_rounded.png eb2d.codepoint=no_drinks_sharp no_drinks_sharp=material/no_drinks_sharp.png e435.codepoint=no_encryption no_encryption=material/no_encryption.png e436.codepoint=no_encryption_gmailerrorred no_encryption_gmailerrorred=material/no_encryption_gmailerrorred.png f21b.codepoint=no_encryption_gmailerrorred_outlined no_encryption_gmailerrorred_outlined=material/no_encryption_gmailerrorred_outlined.png f000d.codepoint=no_encryption_gmailerrorred_rounded no_encryption_gmailerrorred_rounded=material/no_encryption_gmailerrorred_rounded.png eb2e.codepoint=no_encryption_gmailerrorred_sharp no_encryption_gmailerrorred_sharp=material/no_encryption_gmailerrorred_sharp.png f21c.codepoint=no_encryption_outlined no_encryption_outlined=material/no_encryption_outlined.png f000e.codepoint=no_encryption_rounded no_encryption_rounded=material/no_encryption_rounded.png eb2f.codepoint=no_encryption_sharp no_encryption_sharp=material/no_encryption_sharp.png e437.codepoint=no_flash no_flash=material/no_flash.png f21d.codepoint=no_flash_outlined no_flash_outlined=material/no_flash_outlined.png f000f.codepoint=no_flash_rounded no_flash_rounded=material/no_flash_rounded.png eb30.codepoint=no_flash_sharp no_flash_sharp=material/no_flash_sharp.png e438.codepoint=no_food no_food=material/no_food.png f21e.codepoint=no_food_outlined no_food_outlined=material/no_food_outlined.png f0010.codepoint=no_food_rounded no_food_rounded=material/no_food_rounded.png eb31.codepoint=no_food_sharp no_food_sharp=material/no_food_sharp.png # e439.codepoint=no_luggage no_luggage=material/no_luggage.png # f21f.codepoint=no_luggage_outlined no_luggage_outlined=material/no_luggage_outlined.png # f0011.codepoint=no_luggage_rounded no_luggage_rounded=material/no_luggage_rounded.png # eb32.codepoint=no_luggage_sharp no_luggage_sharp=material/no_luggage_sharp.png e43a.codepoint=no_meals no_meals=material/no_meals.png e43b.codepoint=no_meals_ouline no_meals_ouline=material/no_meals_ouline.png f220.codepoint=no_meals_outlined no_meals_outlined=material/no_meals_outlined.png f0012.codepoint=no_meals_rounded no_meals_rounded=material/no_meals_rounded.png eb33.codepoint=no_meals_sharp no_meals_sharp=material/no_meals_sharp.png e43c.codepoint=no_meeting_room no_meeting_room=material/no_meeting_room.png f221.codepoint=no_meeting_room_outlined no_meeting_room_outlined=material/no_meeting_room_outlined.png f0013.codepoint=no_meeting_room_rounded no_meeting_room_rounded=material/no_meeting_room_rounded.png eb34.codepoint=no_meeting_room_sharp no_meeting_room_sharp=material/no_meeting_room_sharp.png e43d.codepoint=no_photography no_photography=material/no_photography.png f222.codepoint=no_photography_outlined no_photography_outlined=material/no_photography_outlined.png f0014.codepoint=no_photography_rounded no_photography_rounded=material/no_photography_rounded.png eb35.codepoint=no_photography_sharp no_photography_sharp=material/no_photography_sharp.png e43e.codepoint=no_sim no_sim=material/no_sim.png f223.codepoint=no_sim_outlined no_sim_outlined=material/no_sim_outlined.png f0015.codepoint=no_sim_rounded no_sim_rounded=material/no_sim_rounded.png eb36.codepoint=no_sim_sharp no_sim_sharp=material/no_sim_sharp.png e43f.codepoint=no_stroller no_stroller=material/no_stroller.png f224.codepoint=no_stroller_outlined no_stroller_outlined=material/no_stroller_outlined.png f0016.codepoint=no_stroller_rounded no_stroller_rounded=material/no_stroller_rounded.png eb37.codepoint=no_stroller_sharp no_stroller_sharp=material/no_stroller_sharp.png e440.codepoint=no_transfer no_transfer=material/no_transfer.png f225.codepoint=no_transfer_outlined no_transfer_outlined=material/no_transfer_outlined.png f0017.codepoint=no_transfer_rounded no_transfer_rounded=material/no_transfer_rounded.png eb38.codepoint=no_transfer_sharp no_transfer_sharp=material/no_transfer_sharp.png f07b5.codepoint=noise_aware noise_aware=material/noise_aware.png f0705.codepoint=noise_aware_outlined noise_aware_outlined=material/noise_aware_outlined.png f080d.codepoint=noise_aware_rounded noise_aware_rounded=material/noise_aware_rounded.png f075d.codepoint=noise_aware_sharp noise_aware_sharp=material/noise_aware_sharp.png f07b6.codepoint=noise_control_off noise_control_off=material/noise_control_off.png f0706.codepoint=noise_control_off_outlined noise_control_off_outlined=material/noise_control_off_outlined.png f080e.codepoint=noise_control_off_rounded noise_control_off_rounded=material/noise_control_off_rounded.png f075e.codepoint=noise_control_off_sharp noise_control_off_sharp=material/noise_control_off_sharp.png e441.codepoint=nordic_walking nordic_walking=material/nordic_walking.png f226.codepoint=nordic_walking_outlined nordic_walking_outlined=material/nordic_walking_outlined.png f0018.codepoint=nordic_walking_rounded nordic_walking_rounded=material/nordic_walking_rounded.png eb39.codepoint=nordic_walking_sharp nordic_walking_sharp=material/nordic_walking_sharp.png e442.codepoint=north north=material/north.png e443.codepoint=north_east north_east=material/north_east.png f227.codepoint=north_east_outlined north_east_outlined=material/north_east_outlined.png f0019.codepoint=north_east_rounded north_east_rounded=material/north_east_rounded.png eb3a.codepoint=north_east_sharp north_east_sharp=material/north_east_sharp.png f228.codepoint=north_outlined north_outlined=material/north_outlined.png f001a.codepoint=north_rounded north_rounded=material/north_rounded.png eb3b.codepoint=north_sharp north_sharp=material/north_sharp.png e444.codepoint=north_west north_west=material/north_west.png f229.codepoint=north_west_outlined north_west_outlined=material/north_west_outlined.png f001b.codepoint=north_west_rounded north_west_rounded=material/north_west_rounded.png eb3c.codepoint=north_west_sharp north_west_sharp=material/north_west_sharp.png e445.codepoint=not_accessible not_accessible=material/not_accessible.png f22a.codepoint=not_accessible_outlined not_accessible_outlined=material/not_accessible_outlined.png f001c.codepoint=not_accessible_rounded not_accessible_rounded=material/not_accessible_rounded.png eb3d.codepoint=not_accessible_sharp not_accessible_sharp=material/not_accessible_sharp.png e446.codepoint=not_interested not_interested=material/not_interested.png f22b.codepoint=not_interested_outlined not_interested_outlined=material/not_interested_outlined.png f001d.codepoint=not_interested_rounded not_interested_rounded=material/not_interested_rounded.png eb3e.codepoint=not_interested_sharp not_interested_sharp=material/not_interested_sharp.png e447.codepoint=not_listed_location not_listed_location=material/not_listed_location.png f22c.codepoint=not_listed_location_outlined not_listed_location_outlined=material/not_listed_location_outlined.png f001e.codepoint=not_listed_location_rounded not_listed_location_rounded=material/not_listed_location_rounded.png eb3f.codepoint=not_listed_location_sharp not_listed_location_sharp=material/not_listed_location_sharp.png e448.codepoint=not_started not_started=material/not_started.png f22d.codepoint=not_started_outlined not_started_outlined=material/not_started_outlined.png f001f.codepoint=not_started_rounded not_started_rounded=material/not_started_rounded.png eb40.codepoint=not_started_sharp not_started_sharp=material/not_started_sharp.png e449.codepoint=note note=material/note.png e44a.codepoint=note_add note_add=material/note_add.png f22e.codepoint=note_add_outlined note_add_outlined=material/note_add_outlined.png f0020.codepoint=note_add_rounded note_add_rounded=material/note_add_rounded.png eb41.codepoint=note_add_sharp note_add_sharp=material/note_add_sharp.png e44b.codepoint=note_alt note_alt=material/note_alt.png f22f.codepoint=note_alt_outlined note_alt_outlined=material/note_alt_outlined.png f0021.codepoint=note_alt_rounded note_alt_rounded=material/note_alt_rounded.png eb42.codepoint=note_alt_sharp note_alt_sharp=material/note_alt_sharp.png f230.codepoint=note_outlined note_outlined=material/note_outlined.png f0022.codepoint=note_rounded note_rounded=material/note_rounded.png eb43.codepoint=note_sharp note_sharp=material/note_sharp.png e44c.codepoint=notes notes=material/notes.png f231.codepoint=notes_outlined notes_outlined=material/notes_outlined.png f0023.codepoint=notes_rounded notes_rounded=material/notes_rounded.png eb44.codepoint=notes_sharp notes_sharp=material/notes_sharp.png e44d.codepoint=notification_add notification_add=material/notification_add.png f232.codepoint=notification_add_outlined notification_add_outlined=material/notification_add_outlined.png f0024.codepoint=notification_add_rounded notification_add_rounded=material/notification_add_rounded.png eb45.codepoint=notification_add_sharp notification_add_sharp=material/notification_add_sharp.png e44e.codepoint=notification_important notification_important=material/notification_important.png f233.codepoint=notification_important_outlined notification_important_outlined=material/notification_important_outlined.png f0025.codepoint=notification_important_rounded notification_important_rounded=material/notification_important_rounded.png eb46.codepoint=notification_important_sharp notification_important_sharp=material/notification_important_sharp.png e44f.codepoint=notifications notifications=material/notifications.png e450.codepoint=notifications_active notifications_active=material/notifications_active.png f234.codepoint=notifications_active_outlined notifications_active_outlined=material/notifications_active_outlined.png f0026.codepoint=notifications_active_rounded notifications_active_rounded=material/notifications_active_rounded.png eb47.codepoint=notifications_active_sharp notifications_active_sharp=material/notifications_active_sharp.png e451.codepoint=notifications_none notifications_none=material/notifications_none.png f235.codepoint=notifications_none_outlined notifications_none_outlined=material/notifications_none_outlined.png f0027.codepoint=notifications_none_rounded notifications_none_rounded=material/notifications_none_rounded.png eb48.codepoint=notifications_none_sharp notifications_none_sharp=material/notifications_none_sharp.png e452.codepoint=notifications_off notifications_off=material/notifications_off.png f236.codepoint=notifications_off_outlined notifications_off_outlined=material/notifications_off_outlined.png f0028.codepoint=notifications_off_rounded notifications_off_rounded=material/notifications_off_rounded.png eb49.codepoint=notifications_off_sharp notifications_off_sharp=material/notifications_off_sharp.png # e450.codepoint=notifications_on notifications_on=material/notifications_on.png # f234.codepoint=notifications_on_outlined notifications_on_outlined=material/notifications_on_outlined.png # f0026.codepoint=notifications_on_rounded notifications_on_rounded=material/notifications_on_rounded.png # eb47.codepoint=notifications_on_sharp notifications_on_sharp=material/notifications_on_sharp.png f237.codepoint=notifications_outlined notifications_outlined=material/notifications_outlined.png e453.codepoint=notifications_paused notifications_paused=material/notifications_paused.png f238.codepoint=notifications_paused_outlined notifications_paused_outlined=material/notifications_paused_outlined.png f0029.codepoint=notifications_paused_rounded notifications_paused_rounded=material/notifications_paused_rounded.png eb4a.codepoint=notifications_paused_sharp notifications_paused_sharp=material/notifications_paused_sharp.png f002a.codepoint=notifications_rounded notifications_rounded=material/notifications_rounded.png eb4b.codepoint=notifications_sharp notifications_sharp=material/notifications_sharp.png e6ca.codepoint=now_wallpaper now_wallpaper=material/now_wallpaper.png f4ad.codepoint=now_wallpaper_outlined now_wallpaper_outlined=material/now_wallpaper_outlined.png f029f.codepoint=now_wallpaper_rounded now_wallpaper_rounded=material/now_wallpaper_rounded.png edc0.codepoint=now_wallpaper_sharp now_wallpaper_sharp=material/now_wallpaper_sharp.png e6e6.codepoint=now_widgets now_widgets=material/now_widgets.png f4c7.codepoint=now_widgets_outlined now_widgets_outlined=material/now_widgets_outlined.png f02b9.codepoint=now_widgets_rounded now_widgets_rounded=material/now_widgets_rounded.png edda.codepoint=now_widgets_sharp now_widgets_sharp=material/now_widgets_sharp.png f0542.codepoint=numbers numbers=material/numbers.png f063a.codepoint=numbers_outlined numbers_outlined=material/numbers_outlined.png f0359.codepoint=numbers_rounded numbers_rounded=material/numbers_rounded.png f044c.codepoint=numbers_sharp numbers_sharp=material/numbers_sharp.png e454.codepoint=offline_bolt offline_bolt=material/offline_bolt.png f239.codepoint=offline_bolt_outlined offline_bolt_outlined=material/offline_bolt_outlined.png f002b.codepoint=offline_bolt_rounded offline_bolt_rounded=material/offline_bolt_rounded.png eb4c.codepoint=offline_bolt_sharp offline_bolt_sharp=material/offline_bolt_sharp.png e455.codepoint=offline_pin offline_pin=material/offline_pin.png f23a.codepoint=offline_pin_outlined offline_pin_outlined=material/offline_pin_outlined.png f002c.codepoint=offline_pin_rounded offline_pin_rounded=material/offline_pin_rounded.png eb4d.codepoint=offline_pin_sharp offline_pin_sharp=material/offline_pin_sharp.png e456.codepoint=offline_share offline_share=material/offline_share.png f23b.codepoint=offline_share_outlined offline_share_outlined=material/offline_share_outlined.png f002d.codepoint=offline_share_rounded offline_share_rounded=material/offline_share_rounded.png eb4e.codepoint=offline_share_sharp offline_share_sharp=material/offline_share_sharp.png f07b7.codepoint=oil_barrel oil_barrel=material/oil_barrel.png f0707.codepoint=oil_barrel_outlined oil_barrel_outlined=material/oil_barrel_outlined.png f080f.codepoint=oil_barrel_rounded oil_barrel_rounded=material/oil_barrel_rounded.png f075f.codepoint=oil_barrel_sharp oil_barrel_sharp=material/oil_barrel_sharp.png f07b8.codepoint=on_device_training on_device_training=material/on_device_training.png f0708.codepoint=on_device_training_outlined on_device_training_outlined=material/on_device_training_outlined.png f0810.codepoint=on_device_training_rounded on_device_training_rounded=material/on_device_training_rounded.png f0760.codepoint=on_device_training_sharp on_device_training_sharp=material/on_device_training_sharp.png e457.codepoint=ondemand_video ondemand_video=material/ondemand_video.png f23c.codepoint=ondemand_video_outlined ondemand_video_outlined=material/ondemand_video_outlined.png f002e.codepoint=ondemand_video_rounded ondemand_video_rounded=material/ondemand_video_rounded.png eb4f.codepoint=ondemand_video_sharp ondemand_video_sharp=material/ondemand_video_sharp.png e00b.codepoint=one_k one_k=material/one_k.png edfd.codepoint=one_k_outlined one_k_outlined=material/one_k_outlined.png e00c.codepoint=one_k_plus one_k_plus=material/one_k_plus.png edfe.codepoint=one_k_plus_outlined one_k_plus_outlined=material/one_k_plus_outlined.png f4ea.codepoint=one_k_plus_rounded one_k_plus_rounded=material/one_k_plus_rounded.png e70b.codepoint=one_k_plus_sharp one_k_plus_sharp=material/one_k_plus_sharp.png f4eb.codepoint=one_k_rounded one_k_rounded=material/one_k_rounded.png e70c.codepoint=one_k_sharp one_k_sharp=material/one_k_sharp.png e00d.codepoint=one_x_mobiledata one_x_mobiledata=material/one_x_mobiledata.png edff.codepoint=one_x_mobiledata_outlined one_x_mobiledata_outlined=material/one_x_mobiledata_outlined.png f4ec.codepoint=one_x_mobiledata_rounded one_x_mobiledata_rounded=material/one_x_mobiledata_rounded.png e70d.codepoint=one_x_mobiledata_sharp one_x_mobiledata_sharp=material/one_x_mobiledata_sharp.png f04b5.codepoint=onetwothree onetwothree=material/onetwothree.png f05b0.codepoint=onetwothree_outlined onetwothree_outlined=material/onetwothree_outlined.png e340.codepoint=onetwothree_rounded onetwothree_rounded=material/onetwothree_rounded.png f03c2.codepoint=onetwothree_sharp onetwothree_sharp=material/onetwothree_sharp.png e458.codepoint=online_prediction online_prediction=material/online_prediction.png f23d.codepoint=online_prediction_outlined online_prediction_outlined=material/online_prediction_outlined.png f002f.codepoint=online_prediction_rounded online_prediction_rounded=material/online_prediction_rounded.png eb50.codepoint=online_prediction_sharp online_prediction_sharp=material/online_prediction_sharp.png e459.codepoint=opacity opacity=material/opacity.png f23e.codepoint=opacity_outlined opacity_outlined=material/opacity_outlined.png f0030.codepoint=opacity_rounded opacity_rounded=material/opacity_rounded.png eb51.codepoint=opacity_sharp opacity_sharp=material/opacity_sharp.png e45a.codepoint=open_in_browser open_in_browser=material/open_in_browser.png f23f.codepoint=open_in_browser_outlined open_in_browser_outlined=material/open_in_browser_outlined.png f0031.codepoint=open_in_browser_rounded open_in_browser_rounded=material/open_in_browser_rounded.png eb52.codepoint=open_in_browser_sharp open_in_browser_sharp=material/open_in_browser_sharp.png e45b.codepoint=open_in_full open_in_full=material/open_in_full.png f240.codepoint=open_in_full_outlined open_in_full_outlined=material/open_in_full_outlined.png f0032.codepoint=open_in_full_rounded open_in_full_rounded=material/open_in_full_rounded.png eb53.codepoint=open_in_full_sharp open_in_full_sharp=material/open_in_full_sharp.png e45c.codepoint=open_in_new open_in_new=material/open_in_new.png e45d.codepoint=open_in_new_off open_in_new_off=material/open_in_new_off.png f241.codepoint=open_in_new_off_outlined open_in_new_off_outlined=material/open_in_new_off_outlined.png f0033.codepoint=open_in_new_off_rounded open_in_new_off_rounded=material/open_in_new_off_rounded.png eb54.codepoint=open_in_new_off_sharp open_in_new_off_sharp=material/open_in_new_off_sharp.png f242.codepoint=open_in_new_outlined open_in_new_outlined=material/open_in_new_outlined.png f0034.codepoint=open_in_new_rounded open_in_new_rounded=material/open_in_new_rounded.png eb55.codepoint=open_in_new_sharp open_in_new_sharp=material/open_in_new_sharp.png e45e.codepoint=open_with open_with=material/open_with.png f243.codepoint=open_with_outlined open_with_outlined=material/open_with_outlined.png f0035.codepoint=open_with_rounded open_with_rounded=material/open_with_rounded.png eb56.codepoint=open_with_sharp open_with_sharp=material/open_with_sharp.png e45f.codepoint=other_houses other_houses=material/other_houses.png f244.codepoint=other_houses_outlined other_houses_outlined=material/other_houses_outlined.png f0036.codepoint=other_houses_rounded other_houses_rounded=material/other_houses_rounded.png eb57.codepoint=other_houses_sharp other_houses_sharp=material/other_houses_sharp.png e460.codepoint=outbond outbond=material/outbond.png f245.codepoint=outbond_outlined outbond_outlined=material/outbond_outlined.png f0037.codepoint=outbond_rounded outbond_rounded=material/outbond_rounded.png eb58.codepoint=outbond_sharp outbond_sharp=material/outbond_sharp.png e461.codepoint=outbound outbound=material/outbound.png f246.codepoint=outbound_outlined outbound_outlined=material/outbound_outlined.png f0038.codepoint=outbound_rounded outbound_rounded=material/outbound_rounded.png eb59.codepoint=outbound_sharp outbound_sharp=material/outbound_sharp.png e462.codepoint=outbox outbox=material/outbox.png f247.codepoint=outbox_outlined outbox_outlined=material/outbox_outlined.png f0039.codepoint=outbox_rounded outbox_rounded=material/outbox_rounded.png eb5a.codepoint=outbox_sharp outbox_sharp=material/outbox_sharp.png e463.codepoint=outdoor_grill outdoor_grill=material/outdoor_grill.png f248.codepoint=outdoor_grill_outlined outdoor_grill_outlined=material/outdoor_grill_outlined.png f003a.codepoint=outdoor_grill_rounded outdoor_grill_rounded=material/outdoor_grill_rounded.png eb5b.codepoint=outdoor_grill_sharp outdoor_grill_sharp=material/outdoor_grill_sharp.png e464.codepoint=outgoing_mail outgoing_mail=material/outgoing_mail.png e465.codepoint=outlet outlet=material/outlet.png f249.codepoint=outlet_outlined outlet_outlined=material/outlet_outlined.png f003b.codepoint=outlet_rounded outlet_rounded=material/outlet_rounded.png eb5c.codepoint=outlet_sharp outlet_sharp=material/outlet_sharp.png e466.codepoint=outlined_flag outlined_flag=material/outlined_flag.png f24a.codepoint=outlined_flag_outlined outlined_flag_outlined=material/outlined_flag_outlined.png f003c.codepoint=outlined_flag_rounded outlined_flag_rounded=material/outlined_flag_rounded.png eb5d.codepoint=outlined_flag_sharp outlined_flag_sharp=material/outlined_flag_sharp.png f0543.codepoint=output output=material/output.png f063b.codepoint=output_outlined output_outlined=material/output_outlined.png f035a.codepoint=output_rounded output_rounded=material/output_rounded.png f044d.codepoint=output_sharp output_sharp=material/output_sharp.png e467.codepoint=padding padding=material/padding.png f24b.codepoint=padding_outlined padding_outlined=material/padding_outlined.png f003d.codepoint=padding_rounded padding_rounded=material/padding_rounded.png eb5e.codepoint=padding_sharp padding_sharp=material/padding_sharp.png e468.codepoint=pages pages=material/pages.png f24c.codepoint=pages_outlined pages_outlined=material/pages_outlined.png f003e.codepoint=pages_rounded pages_rounded=material/pages_rounded.png eb5f.codepoint=pages_sharp pages_sharp=material/pages_sharp.png e469.codepoint=pageview pageview=material/pageview.png f24d.codepoint=pageview_outlined pageview_outlined=material/pageview_outlined.png f003f.codepoint=pageview_rounded pageview_rounded=material/pageview_rounded.png eb60.codepoint=pageview_sharp pageview_sharp=material/pageview_sharp.png e46a.codepoint=paid paid=material/paid.png f24e.codepoint=paid_outlined paid_outlined=material/paid_outlined.png f0040.codepoint=paid_rounded paid_rounded=material/paid_rounded.png eb61.codepoint=paid_sharp paid_sharp=material/paid_sharp.png e46b.codepoint=palette palette=material/palette.png f24f.codepoint=palette_outlined palette_outlined=material/palette_outlined.png f0041.codepoint=palette_rounded palette_rounded=material/palette_rounded.png eb62.codepoint=palette_sharp palette_sharp=material/palette_sharp.png e46c.codepoint=pan_tool pan_tool=material/pan_tool.png f0544.codepoint=pan_tool_alt pan_tool_alt=material/pan_tool_alt.png f063c.codepoint=pan_tool_alt_outlined pan_tool_alt_outlined=material/pan_tool_alt_outlined.png f035b.codepoint=pan_tool_alt_rounded pan_tool_alt_rounded=material/pan_tool_alt_rounded.png f044e.codepoint=pan_tool_alt_sharp pan_tool_alt_sharp=material/pan_tool_alt_sharp.png f250.codepoint=pan_tool_outlined pan_tool_outlined=material/pan_tool_outlined.png f0042.codepoint=pan_tool_rounded pan_tool_rounded=material/pan_tool_rounded.png eb63.codepoint=pan_tool_sharp pan_tool_sharp=material/pan_tool_sharp.png e46d.codepoint=panorama panorama=material/panorama.png e46e.codepoint=panorama_fish_eye panorama_fish_eye=material/panorama_fish_eye.png f251.codepoint=panorama_fish_eye_outlined panorama_fish_eye_outlined=material/panorama_fish_eye_outlined.png f0043.codepoint=panorama_fish_eye_rounded panorama_fish_eye_rounded=material/panorama_fish_eye_rounded.png eb64.codepoint=panorama_fish_eye_sharp panorama_fish_eye_sharp=material/panorama_fish_eye_sharp.png # e46e.codepoint=panorama_fisheye panorama_fisheye=material/panorama_fisheye.png # f251.codepoint=panorama_fisheye_outlined panorama_fisheye_outlined=material/panorama_fisheye_outlined.png # f0043.codepoint=panorama_fisheye_rounded panorama_fisheye_rounded=material/panorama_fisheye_rounded.png # eb64.codepoint=panorama_fisheye_sharp panorama_fisheye_sharp=material/panorama_fisheye_sharp.png e46f.codepoint=panorama_horizontal panorama_horizontal=material/panorama_horizontal.png f252.codepoint=panorama_horizontal_outlined panorama_horizontal_outlined=material/panorama_horizontal_outlined.png f0044.codepoint=panorama_horizontal_rounded panorama_horizontal_rounded=material/panorama_horizontal_rounded.png e470.codepoint=panorama_horizontal_select panorama_horizontal_select=material/panorama_horizontal_select.png f253.codepoint=panorama_horizontal_select_outlined panorama_horizontal_select_outlined=material/panorama_horizontal_select_outlined.png f0045.codepoint=panorama_horizontal_select_rounded panorama_horizontal_select_rounded=material/panorama_horizontal_select_rounded.png eb65.codepoint=panorama_horizontal_select_sharp panorama_horizontal_select_sharp=material/panorama_horizontal_select_sharp.png eb66.codepoint=panorama_horizontal_sharp panorama_horizontal_sharp=material/panorama_horizontal_sharp.png f254.codepoint=panorama_outlined panorama_outlined=material/panorama_outlined.png e471.codepoint=panorama_photosphere panorama_photosphere=material/panorama_photosphere.png f255.codepoint=panorama_photosphere_outlined panorama_photosphere_outlined=material/panorama_photosphere_outlined.png f0046.codepoint=panorama_photosphere_rounded panorama_photosphere_rounded=material/panorama_photosphere_rounded.png e472.codepoint=panorama_photosphere_select panorama_photosphere_select=material/panorama_photosphere_select.png f256.codepoint=panorama_photosphere_select_outlined panorama_photosphere_select_outlined=material/panorama_photosphere_select_outlined.png f0047.codepoint=panorama_photosphere_select_rounded panorama_photosphere_select_rounded=material/panorama_photosphere_select_rounded.png eb67.codepoint=panorama_photosphere_select_sharp panorama_photosphere_select_sharp=material/panorama_photosphere_select_sharp.png eb68.codepoint=panorama_photosphere_sharp panorama_photosphere_sharp=material/panorama_photosphere_sharp.png f0048.codepoint=panorama_rounded panorama_rounded=material/panorama_rounded.png eb69.codepoint=panorama_sharp panorama_sharp=material/panorama_sharp.png e473.codepoint=panorama_vertical panorama_vertical=material/panorama_vertical.png f257.codepoint=panorama_vertical_outlined panorama_vertical_outlined=material/panorama_vertical_outlined.png f0049.codepoint=panorama_vertical_rounded panorama_vertical_rounded=material/panorama_vertical_rounded.png e474.codepoint=panorama_vertical_select panorama_vertical_select=material/panorama_vertical_select.png f258.codepoint=panorama_vertical_select_outlined panorama_vertical_select_outlined=material/panorama_vertical_select_outlined.png f004a.codepoint=panorama_vertical_select_rounded panorama_vertical_select_rounded=material/panorama_vertical_select_rounded.png eb6a.codepoint=panorama_vertical_select_sharp panorama_vertical_select_sharp=material/panorama_vertical_select_sharp.png eb6b.codepoint=panorama_vertical_sharp panorama_vertical_sharp=material/panorama_vertical_sharp.png e475.codepoint=panorama_wide_angle panorama_wide_angle=material/panorama_wide_angle.png f259.codepoint=panorama_wide_angle_outlined panorama_wide_angle_outlined=material/panorama_wide_angle_outlined.png f004b.codepoint=panorama_wide_angle_rounded panorama_wide_angle_rounded=material/panorama_wide_angle_rounded.png e476.codepoint=panorama_wide_angle_select panorama_wide_angle_select=material/panorama_wide_angle_select.png f25a.codepoint=panorama_wide_angle_select_outlined panorama_wide_angle_select_outlined=material/panorama_wide_angle_select_outlined.png f004c.codepoint=panorama_wide_angle_select_rounded panorama_wide_angle_select_rounded=material/panorama_wide_angle_select_rounded.png eb6c.codepoint=panorama_wide_angle_select_sharp panorama_wide_angle_select_sharp=material/panorama_wide_angle_select_sharp.png eb6d.codepoint=panorama_wide_angle_sharp panorama_wide_angle_sharp=material/panorama_wide_angle_sharp.png e477.codepoint=paragliding paragliding=material/paragliding.png f25b.codepoint=paragliding_outlined paragliding_outlined=material/paragliding_outlined.png f004d.codepoint=paragliding_rounded paragliding_rounded=material/paragliding_rounded.png eb6e.codepoint=paragliding_sharp paragliding_sharp=material/paragliding_sharp.png e478.codepoint=park park=material/park.png f25c.codepoint=park_outlined park_outlined=material/park_outlined.png f004e.codepoint=park_rounded park_rounded=material/park_rounded.png eb6f.codepoint=park_sharp park_sharp=material/park_sharp.png e479.codepoint=party_mode party_mode=material/party_mode.png f25d.codepoint=party_mode_outlined party_mode_outlined=material/party_mode_outlined.png f004f.codepoint=party_mode_rounded party_mode_rounded=material/party_mode_rounded.png eb70.codepoint=party_mode_sharp party_mode_sharp=material/party_mode_sharp.png e47a.codepoint=password password=material/password.png f25e.codepoint=password_outlined password_outlined=material/password_outlined.png f0050.codepoint=password_rounded password_rounded=material/password_rounded.png eb71.codepoint=password_sharp password_sharp=material/password_sharp.png # e192.codepoint=paste paste=material/paste.png # ef82.codepoint=paste_outlined paste_outlined=material/paste_outlined.png # f66f.codepoint=paste_rounded paste_rounded=material/paste_rounded.png # e890.codepoint=paste_sharp paste_sharp=material/paste_sharp.png e47b.codepoint=pattern pattern=material/pattern.png f25f.codepoint=pattern_outlined pattern_outlined=material/pattern_outlined.png f0051.codepoint=pattern_rounded pattern_rounded=material/pattern_rounded.png eb72.codepoint=pattern_sharp pattern_sharp=material/pattern_sharp.png e47c.codepoint=pause pause=material/pause.png e47d.codepoint=pause_circle pause_circle=material/pause_circle.png e47e.codepoint=pause_circle_filled pause_circle_filled=material/pause_circle_filled.png f260.codepoint=pause_circle_filled_outlined pause_circle_filled_outlined=material/pause_circle_filled_outlined.png f0052.codepoint=pause_circle_filled_rounded pause_circle_filled_rounded=material/pause_circle_filled_rounded.png eb73.codepoint=pause_circle_filled_sharp pause_circle_filled_sharp=material/pause_circle_filled_sharp.png e47f.codepoint=pause_circle_outline pause_circle_outline=material/pause_circle_outline.png f261.codepoint=pause_circle_outline_outlined pause_circle_outline_outlined=material/pause_circle_outline_outlined.png f0053.codepoint=pause_circle_outline_rounded pause_circle_outline_rounded=material/pause_circle_outline_rounded.png eb74.codepoint=pause_circle_outline_sharp pause_circle_outline_sharp=material/pause_circle_outline_sharp.png f262.codepoint=pause_circle_outlined pause_circle_outlined=material/pause_circle_outlined.png f0054.codepoint=pause_circle_rounded pause_circle_rounded=material/pause_circle_rounded.png eb75.codepoint=pause_circle_sharp pause_circle_sharp=material/pause_circle_sharp.png f263.codepoint=pause_outlined pause_outlined=material/pause_outlined.png e480.codepoint=pause_presentation pause_presentation=material/pause_presentation.png f264.codepoint=pause_presentation_outlined pause_presentation_outlined=material/pause_presentation_outlined.png f0055.codepoint=pause_presentation_rounded pause_presentation_rounded=material/pause_presentation_rounded.png eb76.codepoint=pause_presentation_sharp pause_presentation_sharp=material/pause_presentation_sharp.png f0056.codepoint=pause_rounded pause_rounded=material/pause_rounded.png eb77.codepoint=pause_sharp pause_sharp=material/pause_sharp.png e481.codepoint=payment payment=material/payment.png f265.codepoint=payment_outlined payment_outlined=material/payment_outlined.png f0057.codepoint=payment_rounded payment_rounded=material/payment_rounded.png eb78.codepoint=payment_sharp payment_sharp=material/payment_sharp.png e482.codepoint=payments payments=material/payments.png f266.codepoint=payments_outlined payments_outlined=material/payments_outlined.png f0058.codepoint=payments_rounded payments_rounded=material/payments_rounded.png eb79.codepoint=payments_sharp payments_sharp=material/payments_sharp.png f0545.codepoint=paypal paypal=material/paypal.png f063d.codepoint=paypal_outlined paypal_outlined=material/paypal_outlined.png f035c.codepoint=paypal_rounded paypal_rounded=material/paypal_rounded.png f044f.codepoint=paypal_sharp paypal_sharp=material/paypal_sharp.png e483.codepoint=pedal_bike pedal_bike=material/pedal_bike.png f267.codepoint=pedal_bike_outlined pedal_bike_outlined=material/pedal_bike_outlined.png f0059.codepoint=pedal_bike_rounded pedal_bike_rounded=material/pedal_bike_rounded.png eb7a.codepoint=pedal_bike_sharp pedal_bike_sharp=material/pedal_bike_sharp.png e484.codepoint=pending pending=material/pending.png e485.codepoint=pending_actions pending_actions=material/pending_actions.png f268.codepoint=pending_actions_outlined pending_actions_outlined=material/pending_actions_outlined.png f005a.codepoint=pending_actions_rounded pending_actions_rounded=material/pending_actions_rounded.png eb7b.codepoint=pending_actions_sharp pending_actions_sharp=material/pending_actions_sharp.png f269.codepoint=pending_outlined pending_outlined=material/pending_outlined.png f005b.codepoint=pending_rounded pending_rounded=material/pending_rounded.png eb7c.codepoint=pending_sharp pending_sharp=material/pending_sharp.png f0546.codepoint=pentagon pentagon=material/pentagon.png f063e.codepoint=pentagon_outlined pentagon_outlined=material/pentagon_outlined.png f035d.codepoint=pentagon_rounded pentagon_rounded=material/pentagon_rounded.png f0450.codepoint=pentagon_sharp pentagon_sharp=material/pentagon_sharp.png e486.codepoint=people people=material/people.png e487.codepoint=people_alt people_alt=material/people_alt.png f26a.codepoint=people_alt_outlined people_alt_outlined=material/people_alt_outlined.png f005c.codepoint=people_alt_rounded people_alt_rounded=material/people_alt_rounded.png eb7d.codepoint=people_alt_sharp people_alt_sharp=material/people_alt_sharp.png e488.codepoint=people_outline people_outline=material/people_outline.png f26b.codepoint=people_outline_outlined people_outline_outlined=material/people_outline_outlined.png f005d.codepoint=people_outline_rounded people_outline_rounded=material/people_outline_rounded.png eb7e.codepoint=people_outline_sharp people_outline_sharp=material/people_outline_sharp.png f26c.codepoint=people_outlined people_outlined=material/people_outlined.png f005e.codepoint=people_rounded people_rounded=material/people_rounded.png eb7f.codepoint=people_sharp people_sharp=material/people_sharp.png f0547.codepoint=percent percent=material/percent.png f063f.codepoint=percent_outlined percent_outlined=material/percent_outlined.png f035e.codepoint=percent_rounded percent_rounded=material/percent_rounded.png f0451.codepoint=percent_sharp percent_sharp=material/percent_sharp.png e489.codepoint=perm_camera_mic perm_camera_mic=material/perm_camera_mic.png f26d.codepoint=perm_camera_mic_outlined perm_camera_mic_outlined=material/perm_camera_mic_outlined.png f005f.codepoint=perm_camera_mic_rounded perm_camera_mic_rounded=material/perm_camera_mic_rounded.png eb80.codepoint=perm_camera_mic_sharp perm_camera_mic_sharp=material/perm_camera_mic_sharp.png e48a.codepoint=perm_contact_cal perm_contact_cal=material/perm_contact_cal.png f26e.codepoint=perm_contact_cal_outlined perm_contact_cal_outlined=material/perm_contact_cal_outlined.png f0060.codepoint=perm_contact_cal_rounded perm_contact_cal_rounded=material/perm_contact_cal_rounded.png eb81.codepoint=perm_contact_cal_sharp perm_contact_cal_sharp=material/perm_contact_cal_sharp.png # e48a.codepoint=perm_contact_calendar perm_contact_calendar=material/perm_contact_calendar.png # f26e.codepoint=perm_contact_calendar_outlined perm_contact_calendar_outlined=material/perm_contact_calendar_outlined.png # f0060.codepoint=perm_contact_calendar_rounded perm_contact_calendar_rounded=material/perm_contact_calendar_rounded.png # eb81.codepoint=perm_contact_calendar_sharp perm_contact_calendar_sharp=material/perm_contact_calendar_sharp.png e48b.codepoint=perm_data_setting perm_data_setting=material/perm_data_setting.png f26f.codepoint=perm_data_setting_outlined perm_data_setting_outlined=material/perm_data_setting_outlined.png f0061.codepoint=perm_data_setting_rounded perm_data_setting_rounded=material/perm_data_setting_rounded.png eb82.codepoint=perm_data_setting_sharp perm_data_setting_sharp=material/perm_data_setting_sharp.png e48c.codepoint=perm_device_info perm_device_info=material/perm_device_info.png f270.codepoint=perm_device_info_outlined perm_device_info_outlined=material/perm_device_info_outlined.png f0062.codepoint=perm_device_info_rounded perm_device_info_rounded=material/perm_device_info_rounded.png eb83.codepoint=perm_device_info_sharp perm_device_info_sharp=material/perm_device_info_sharp.png # e48c.codepoint=perm_device_information perm_device_information=material/perm_device_information.png # f270.codepoint=perm_device_information_outlined perm_device_information_outlined=material/perm_device_information_outlined.png # f0062.codepoint=perm_device_information_rounded perm_device_information_rounded=material/perm_device_information_rounded.png # eb83.codepoint=perm_device_information_sharp perm_device_information_sharp=material/perm_device_information_sharp.png e48d.codepoint=perm_identity perm_identity=material/perm_identity.png f271.codepoint=perm_identity_outlined perm_identity_outlined=material/perm_identity_outlined.png f0063.codepoint=perm_identity_rounded perm_identity_rounded=material/perm_identity_rounded.png eb84.codepoint=perm_identity_sharp perm_identity_sharp=material/perm_identity_sharp.png e48e.codepoint=perm_media perm_media=material/perm_media.png f272.codepoint=perm_media_outlined perm_media_outlined=material/perm_media_outlined.png f0064.codepoint=perm_media_rounded perm_media_rounded=material/perm_media_rounded.png eb85.codepoint=perm_media_sharp perm_media_sharp=material/perm_media_sharp.png e48f.codepoint=perm_phone_msg perm_phone_msg=material/perm_phone_msg.png f273.codepoint=perm_phone_msg_outlined perm_phone_msg_outlined=material/perm_phone_msg_outlined.png f0065.codepoint=perm_phone_msg_rounded perm_phone_msg_rounded=material/perm_phone_msg_rounded.png eb86.codepoint=perm_phone_msg_sharp perm_phone_msg_sharp=material/perm_phone_msg_sharp.png e490.codepoint=perm_scan_wifi perm_scan_wifi=material/perm_scan_wifi.png f274.codepoint=perm_scan_wifi_outlined perm_scan_wifi_outlined=material/perm_scan_wifi_outlined.png f0066.codepoint=perm_scan_wifi_rounded perm_scan_wifi_rounded=material/perm_scan_wifi_rounded.png eb87.codepoint=perm_scan_wifi_sharp perm_scan_wifi_sharp=material/perm_scan_wifi_sharp.png e491.codepoint=person person=material/person.png e492.codepoint=person_add person_add=material/person_add.png e493.codepoint=person_add_alt person_add_alt=material/person_add_alt.png e494.codepoint=person_add_alt_1 person_add_alt_1=material/person_add_alt_1.png f275.codepoint=person_add_alt_1_outlined person_add_alt_1_outlined=material/person_add_alt_1_outlined.png f0067.codepoint=person_add_alt_1_rounded person_add_alt_1_rounded=material/person_add_alt_1_rounded.png eb88.codepoint=person_add_alt_1_sharp person_add_alt_1_sharp=material/person_add_alt_1_sharp.png f276.codepoint=person_add_alt_outlined person_add_alt_outlined=material/person_add_alt_outlined.png f0068.codepoint=person_add_alt_rounded person_add_alt_rounded=material/person_add_alt_rounded.png eb89.codepoint=person_add_alt_sharp person_add_alt_sharp=material/person_add_alt_sharp.png e495.codepoint=person_add_disabled person_add_disabled=material/person_add_disabled.png f277.codepoint=person_add_disabled_outlined person_add_disabled_outlined=material/person_add_disabled_outlined.png f0069.codepoint=person_add_disabled_rounded person_add_disabled_rounded=material/person_add_disabled_rounded.png eb8a.codepoint=person_add_disabled_sharp person_add_disabled_sharp=material/person_add_disabled_sharp.png f278.codepoint=person_add_outlined person_add_outlined=material/person_add_outlined.png f006a.codepoint=person_add_rounded person_add_rounded=material/person_add_rounded.png eb8b.codepoint=person_add_sharp person_add_sharp=material/person_add_sharp.png e496.codepoint=person_off person_off=material/person_off.png f279.codepoint=person_off_outlined person_off_outlined=material/person_off_outlined.png f006b.codepoint=person_off_rounded person_off_rounded=material/person_off_rounded.png eb8c.codepoint=person_off_sharp person_off_sharp=material/person_off_sharp.png e497.codepoint=person_outline person_outline=material/person_outline.png f27a.codepoint=person_outline_outlined person_outline_outlined=material/person_outline_outlined.png f006c.codepoint=person_outline_rounded person_outline_rounded=material/person_outline_rounded.png eb8d.codepoint=person_outline_sharp person_outline_sharp=material/person_outline_sharp.png f27b.codepoint=person_outlined person_outlined=material/person_outlined.png # e498.codepoint=person_pin person_pin=material/person_pin.png e499.codepoint=person_pin_circle person_pin_circle=material/person_pin_circle.png f27c.codepoint=person_pin_circle_outlined person_pin_circle_outlined=material/person_pin_circle_outlined.png f006d.codepoint=person_pin_circle_rounded person_pin_circle_rounded=material/person_pin_circle_rounded.png eb8e.codepoint=person_pin_circle_sharp person_pin_circle_sharp=material/person_pin_circle_sharp.png # f27d.codepoint=person_pin_outlined person_pin_outlined=material/person_pin_outlined.png # f006e.codepoint=person_pin_rounded person_pin_rounded=material/person_pin_rounded.png # eb8f.codepoint=person_pin_sharp person_pin_sharp=material/person_pin_sharp.png e49a.codepoint=person_remove person_remove=material/person_remove.png e49b.codepoint=person_remove_alt_1 person_remove_alt_1=material/person_remove_alt_1.png f27e.codepoint=person_remove_alt_1_outlined person_remove_alt_1_outlined=material/person_remove_alt_1_outlined.png f006f.codepoint=person_remove_alt_1_rounded person_remove_alt_1_rounded=material/person_remove_alt_1_rounded.png eb90.codepoint=person_remove_alt_1_sharp person_remove_alt_1_sharp=material/person_remove_alt_1_sharp.png f27f.codepoint=person_remove_outlined person_remove_outlined=material/person_remove_outlined.png f0070.codepoint=person_remove_rounded person_remove_rounded=material/person_remove_rounded.png eb91.codepoint=person_remove_sharp person_remove_sharp=material/person_remove_sharp.png f0071.codepoint=person_rounded person_rounded=material/person_rounded.png e49c.codepoint=person_search person_search=material/person_search.png f280.codepoint=person_search_outlined person_search_outlined=material/person_search_outlined.png f0072.codepoint=person_search_rounded person_search_rounded=material/person_search_rounded.png eb92.codepoint=person_search_sharp person_search_sharp=material/person_search_sharp.png eb93.codepoint=person_sharp person_sharp=material/person_sharp.png e49d.codepoint=personal_injury personal_injury=material/personal_injury.png f281.codepoint=personal_injury_outlined personal_injury_outlined=material/personal_injury_outlined.png f0073.codepoint=personal_injury_rounded personal_injury_rounded=material/personal_injury_rounded.png eb94.codepoint=personal_injury_sharp personal_injury_sharp=material/personal_injury_sharp.png e49e.codepoint=personal_video personal_video=material/personal_video.png f282.codepoint=personal_video_outlined personal_video_outlined=material/personal_video_outlined.png f0074.codepoint=personal_video_rounded personal_video_rounded=material/personal_video_rounded.png eb95.codepoint=personal_video_sharp personal_video_sharp=material/personal_video_sharp.png e49f.codepoint=pest_control pest_control=material/pest_control.png f283.codepoint=pest_control_outlined pest_control_outlined=material/pest_control_outlined.png e4a0.codepoint=pest_control_rodent pest_control_rodent=material/pest_control_rodent.png f284.codepoint=pest_control_rodent_outlined pest_control_rodent_outlined=material/pest_control_rodent_outlined.png f0075.codepoint=pest_control_rodent_rounded pest_control_rodent_rounded=material/pest_control_rodent_rounded.png eb96.codepoint=pest_control_rodent_sharp pest_control_rodent_sharp=material/pest_control_rodent_sharp.png f0076.codepoint=pest_control_rounded pest_control_rounded=material/pest_control_rounded.png eb97.codepoint=pest_control_sharp pest_control_sharp=material/pest_control_sharp.png e4a1.codepoint=pets pets=material/pets.png f285.codepoint=pets_outlined pets_outlined=material/pets_outlined.png f0077.codepoint=pets_rounded pets_rounded=material/pets_rounded.png eb98.codepoint=pets_sharp pets_sharp=material/pets_sharp.png f0548.codepoint=phishing phishing=material/phishing.png f0640.codepoint=phishing_outlined phishing_outlined=material/phishing_outlined.png f035f.codepoint=phishing_rounded phishing_rounded=material/phishing_rounded.png f0452.codepoint=phishing_sharp phishing_sharp=material/phishing_sharp.png e4a2.codepoint=phone phone=material/phone.png e4a3.codepoint=phone_android phone_android=material/phone_android.png f286.codepoint=phone_android_outlined phone_android_outlined=material/phone_android_outlined.png f0078.codepoint=phone_android_rounded phone_android_rounded=material/phone_android_rounded.png eb99.codepoint=phone_android_sharp phone_android_sharp=material/phone_android_sharp.png e4a4.codepoint=phone_bluetooth_speaker phone_bluetooth_speaker=material/phone_bluetooth_speaker.png f287.codepoint=phone_bluetooth_speaker_outlined phone_bluetooth_speaker_outlined=material/phone_bluetooth_speaker_outlined.png f0079.codepoint=phone_bluetooth_speaker_rounded phone_bluetooth_speaker_rounded=material/phone_bluetooth_speaker_rounded.png eb9a.codepoint=phone_bluetooth_speaker_sharp phone_bluetooth_speaker_sharp=material/phone_bluetooth_speaker_sharp.png e4a5.codepoint=phone_callback phone_callback=material/phone_callback.png f288.codepoint=phone_callback_outlined phone_callback_outlined=material/phone_callback_outlined.png f007a.codepoint=phone_callback_rounded phone_callback_rounded=material/phone_callback_rounded.png eb9b.codepoint=phone_callback_sharp phone_callback_sharp=material/phone_callback_sharp.png e4a6.codepoint=phone_disabled phone_disabled=material/phone_disabled.png f289.codepoint=phone_disabled_outlined phone_disabled_outlined=material/phone_disabled_outlined.png f007b.codepoint=phone_disabled_rounded phone_disabled_rounded=material/phone_disabled_rounded.png eb9c.codepoint=phone_disabled_sharp phone_disabled_sharp=material/phone_disabled_sharp.png e4a7.codepoint=phone_enabled phone_enabled=material/phone_enabled.png f28a.codepoint=phone_enabled_outlined phone_enabled_outlined=material/phone_enabled_outlined.png f007c.codepoint=phone_enabled_rounded phone_enabled_rounded=material/phone_enabled_rounded.png eb9d.codepoint=phone_enabled_sharp phone_enabled_sharp=material/phone_enabled_sharp.png e4a8.codepoint=phone_forwarded phone_forwarded=material/phone_forwarded.png f28b.codepoint=phone_forwarded_outlined phone_forwarded_outlined=material/phone_forwarded_outlined.png f007d.codepoint=phone_forwarded_rounded phone_forwarded_rounded=material/phone_forwarded_rounded.png eb9e.codepoint=phone_forwarded_sharp phone_forwarded_sharp=material/phone_forwarded_sharp.png e4a9.codepoint=phone_in_talk phone_in_talk=material/phone_in_talk.png f28c.codepoint=phone_in_talk_outlined phone_in_talk_outlined=material/phone_in_talk_outlined.png f007e.codepoint=phone_in_talk_rounded phone_in_talk_rounded=material/phone_in_talk_rounded.png eb9f.codepoint=phone_in_talk_sharp phone_in_talk_sharp=material/phone_in_talk_sharp.png e4aa.codepoint=phone_iphone phone_iphone=material/phone_iphone.png f28d.codepoint=phone_iphone_outlined phone_iphone_outlined=material/phone_iphone_outlined.png f007f.codepoint=phone_iphone_rounded phone_iphone_rounded=material/phone_iphone_rounded.png eba0.codepoint=phone_iphone_sharp phone_iphone_sharp=material/phone_iphone_sharp.png e4ab.codepoint=phone_locked phone_locked=material/phone_locked.png f28e.codepoint=phone_locked_outlined phone_locked_outlined=material/phone_locked_outlined.png f0080.codepoint=phone_locked_rounded phone_locked_rounded=material/phone_locked_rounded.png eba1.codepoint=phone_locked_sharp phone_locked_sharp=material/phone_locked_sharp.png e4ac.codepoint=phone_missed phone_missed=material/phone_missed.png f28f.codepoint=phone_missed_outlined phone_missed_outlined=material/phone_missed_outlined.png f0081.codepoint=phone_missed_rounded phone_missed_rounded=material/phone_missed_rounded.png eba2.codepoint=phone_missed_sharp phone_missed_sharp=material/phone_missed_sharp.png f290.codepoint=phone_outlined phone_outlined=material/phone_outlined.png e4ad.codepoint=phone_paused phone_paused=material/phone_paused.png f291.codepoint=phone_paused_outlined phone_paused_outlined=material/phone_paused_outlined.png f0082.codepoint=phone_paused_rounded phone_paused_rounded=material/phone_paused_rounded.png eba3.codepoint=phone_paused_sharp phone_paused_sharp=material/phone_paused_sharp.png f0083.codepoint=phone_rounded phone_rounded=material/phone_rounded.png eba4.codepoint=phone_sharp phone_sharp=material/phone_sharp.png e4ae.codepoint=phonelink phonelink=material/phonelink.png e4af.codepoint=phonelink_erase phonelink_erase=material/phonelink_erase.png f292.codepoint=phonelink_erase_outlined phonelink_erase_outlined=material/phonelink_erase_outlined.png f0084.codepoint=phonelink_erase_rounded phonelink_erase_rounded=material/phonelink_erase_rounded.png eba5.codepoint=phonelink_erase_sharp phonelink_erase_sharp=material/phonelink_erase_sharp.png e4b0.codepoint=phonelink_lock phonelink_lock=material/phonelink_lock.png f293.codepoint=phonelink_lock_outlined phonelink_lock_outlined=material/phonelink_lock_outlined.png f0085.codepoint=phonelink_lock_rounded phonelink_lock_rounded=material/phonelink_lock_rounded.png eba6.codepoint=phonelink_lock_sharp phonelink_lock_sharp=material/phonelink_lock_sharp.png e4b1.codepoint=phonelink_off phonelink_off=material/phonelink_off.png f294.codepoint=phonelink_off_outlined phonelink_off_outlined=material/phonelink_off_outlined.png f0086.codepoint=phonelink_off_rounded phonelink_off_rounded=material/phonelink_off_rounded.png eba7.codepoint=phonelink_off_sharp phonelink_off_sharp=material/phonelink_off_sharp.png f295.codepoint=phonelink_outlined phonelink_outlined=material/phonelink_outlined.png e4b2.codepoint=phonelink_ring phonelink_ring=material/phonelink_ring.png f296.codepoint=phonelink_ring_outlined phonelink_ring_outlined=material/phonelink_ring_outlined.png f0087.codepoint=phonelink_ring_rounded phonelink_ring_rounded=material/phonelink_ring_rounded.png eba8.codepoint=phonelink_ring_sharp phonelink_ring_sharp=material/phonelink_ring_sharp.png f0088.codepoint=phonelink_rounded phonelink_rounded=material/phonelink_rounded.png e4b3.codepoint=phonelink_setup phonelink_setup=material/phonelink_setup.png f297.codepoint=phonelink_setup_outlined phonelink_setup_outlined=material/phonelink_setup_outlined.png f0089.codepoint=phonelink_setup_rounded phonelink_setup_rounded=material/phonelink_setup_rounded.png eba9.codepoint=phonelink_setup_sharp phonelink_setup_sharp=material/phonelink_setup_sharp.png ebaa.codepoint=phonelink_sharp phonelink_sharp=material/phonelink_sharp.png e4b4.codepoint=photo photo=material/photo.png e4b5.codepoint=photo_album photo_album=material/photo_album.png f298.codepoint=photo_album_outlined photo_album_outlined=material/photo_album_outlined.png f008a.codepoint=photo_album_rounded photo_album_rounded=material/photo_album_rounded.png ebab.codepoint=photo_album_sharp photo_album_sharp=material/photo_album_sharp.png e4b6.codepoint=photo_camera photo_camera=material/photo_camera.png e4b7.codepoint=photo_camera_back photo_camera_back=material/photo_camera_back.png f299.codepoint=photo_camera_back_outlined photo_camera_back_outlined=material/photo_camera_back_outlined.png f008b.codepoint=photo_camera_back_rounded photo_camera_back_rounded=material/photo_camera_back_rounded.png ebac.codepoint=photo_camera_back_sharp photo_camera_back_sharp=material/photo_camera_back_sharp.png e4b8.codepoint=photo_camera_front photo_camera_front=material/photo_camera_front.png f29a.codepoint=photo_camera_front_outlined photo_camera_front_outlined=material/photo_camera_front_outlined.png f008c.codepoint=photo_camera_front_rounded photo_camera_front_rounded=material/photo_camera_front_rounded.png ebad.codepoint=photo_camera_front_sharp photo_camera_front_sharp=material/photo_camera_front_sharp.png f29b.codepoint=photo_camera_outlined photo_camera_outlined=material/photo_camera_outlined.png f008d.codepoint=photo_camera_rounded photo_camera_rounded=material/photo_camera_rounded.png ebae.codepoint=photo_camera_sharp photo_camera_sharp=material/photo_camera_sharp.png e4b9.codepoint=photo_filter photo_filter=material/photo_filter.png f29c.codepoint=photo_filter_outlined photo_filter_outlined=material/photo_filter_outlined.png f008e.codepoint=photo_filter_rounded photo_filter_rounded=material/photo_filter_rounded.png ebaf.codepoint=photo_filter_sharp photo_filter_sharp=material/photo_filter_sharp.png e4ba.codepoint=photo_library photo_library=material/photo_library.png f29d.codepoint=photo_library_outlined photo_library_outlined=material/photo_library_outlined.png f008f.codepoint=photo_library_rounded photo_library_rounded=material/photo_library_rounded.png ebb0.codepoint=photo_library_sharp photo_library_sharp=material/photo_library_sharp.png f29e.codepoint=photo_outlined photo_outlined=material/photo_outlined.png f0090.codepoint=photo_rounded photo_rounded=material/photo_rounded.png ebb1.codepoint=photo_sharp photo_sharp=material/photo_sharp.png e4bb.codepoint=photo_size_select_actual photo_size_select_actual=material/photo_size_select_actual.png f29f.codepoint=photo_size_select_actual_outlined photo_size_select_actual_outlined=material/photo_size_select_actual_outlined.png f0091.codepoint=photo_size_select_actual_rounded photo_size_select_actual_rounded=material/photo_size_select_actual_rounded.png ebb2.codepoint=photo_size_select_actual_sharp photo_size_select_actual_sharp=material/photo_size_select_actual_sharp.png e4bc.codepoint=photo_size_select_large photo_size_select_large=material/photo_size_select_large.png f2a0.codepoint=photo_size_select_large_outlined photo_size_select_large_outlined=material/photo_size_select_large_outlined.png f0092.codepoint=photo_size_select_large_rounded photo_size_select_large_rounded=material/photo_size_select_large_rounded.png ebb3.codepoint=photo_size_select_large_sharp photo_size_select_large_sharp=material/photo_size_select_large_sharp.png e4bd.codepoint=photo_size_select_small photo_size_select_small=material/photo_size_select_small.png f2a1.codepoint=photo_size_select_small_outlined photo_size_select_small_outlined=material/photo_size_select_small_outlined.png f0093.codepoint=photo_size_select_small_rounded photo_size_select_small_rounded=material/photo_size_select_small_rounded.png ebb4.codepoint=photo_size_select_small_sharp photo_size_select_small_sharp=material/photo_size_select_small_sharp.png f0549.codepoint=php php=material/php.png f0641.codepoint=php_outlined php_outlined=material/php_outlined.png f0360.codepoint=php_rounded php_rounded=material/php_rounded.png f0453.codepoint=php_sharp php_sharp=material/php_sharp.png e4be.codepoint=piano piano=material/piano.png e4bf.codepoint=piano_off piano_off=material/piano_off.png f2a2.codepoint=piano_off_outlined piano_off_outlined=material/piano_off_outlined.png f0094.codepoint=piano_off_rounded piano_off_rounded=material/piano_off_rounded.png ebb5.codepoint=piano_off_sharp piano_off_sharp=material/piano_off_sharp.png f2a3.codepoint=piano_outlined piano_outlined=material/piano_outlined.png f0095.codepoint=piano_rounded piano_rounded=material/piano_rounded.png ebb6.codepoint=piano_sharp piano_sharp=material/piano_sharp.png e4c0.codepoint=picture_as_pdf picture_as_pdf=material/picture_as_pdf.png f2a4.codepoint=picture_as_pdf_outlined picture_as_pdf_outlined=material/picture_as_pdf_outlined.png f0096.codepoint=picture_as_pdf_rounded picture_as_pdf_rounded=material/picture_as_pdf_rounded.png ebb7.codepoint=picture_as_pdf_sharp picture_as_pdf_sharp=material/picture_as_pdf_sharp.png e4c1.codepoint=picture_in_picture picture_in_picture=material/picture_in_picture.png e4c2.codepoint=picture_in_picture_alt picture_in_picture_alt=material/picture_in_picture_alt.png f2a5.codepoint=picture_in_picture_alt_outlined picture_in_picture_alt_outlined=material/picture_in_picture_alt_outlined.png f0097.codepoint=picture_in_picture_alt_rounded picture_in_picture_alt_rounded=material/picture_in_picture_alt_rounded.png ebb8.codepoint=picture_in_picture_alt_sharp picture_in_picture_alt_sharp=material/picture_in_picture_alt_sharp.png f2a6.codepoint=picture_in_picture_outlined picture_in_picture_outlined=material/picture_in_picture_outlined.png f0098.codepoint=picture_in_picture_rounded picture_in_picture_rounded=material/picture_in_picture_rounded.png ebb9.codepoint=picture_in_picture_sharp picture_in_picture_sharp=material/picture_in_picture_sharp.png e4c3.codepoint=pie_chart pie_chart=material/pie_chart.png e4c5.codepoint=pie_chart_outline pie_chart_outline=material/pie_chart_outline.png f2a7.codepoint=pie_chart_outline_outlined pie_chart_outline_outlined=material/pie_chart_outline_outlined.png f0099.codepoint=pie_chart_outline_rounded pie_chart_outline_rounded=material/pie_chart_outline_rounded.png ebba.codepoint=pie_chart_outline_sharp pie_chart_outline_sharp=material/pie_chart_outline_sharp.png f009a.codepoint=pie_chart_rounded pie_chart_rounded=material/pie_chart_rounded.png ebbb.codepoint=pie_chart_sharp pie_chart_sharp=material/pie_chart_sharp.png e4c6.codepoint=pin pin=material/pin.png e4c7.codepoint=pin_drop pin_drop=material/pin_drop.png f2a9.codepoint=pin_drop_outlined pin_drop_outlined=material/pin_drop_outlined.png f009b.codepoint=pin_drop_rounded pin_drop_rounded=material/pin_drop_rounded.png ebbc.codepoint=pin_drop_sharp pin_drop_sharp=material/pin_drop_sharp.png f054b.codepoint=pin_end pin_end=material/pin_end.png f0642.codepoint=pin_end_outlined pin_end_outlined=material/pin_end_outlined.png f0361.codepoint=pin_end_rounded pin_end_rounded=material/pin_end_rounded.png f0454.codepoint=pin_end_sharp pin_end_sharp=material/pin_end_sharp.png f054c.codepoint=pin_invoke pin_invoke=material/pin_invoke.png f0643.codepoint=pin_invoke_outlined pin_invoke_outlined=material/pin_invoke_outlined.png f0362.codepoint=pin_invoke_rounded pin_invoke_rounded=material/pin_invoke_rounded.png f0455.codepoint=pin_invoke_sharp pin_invoke_sharp=material/pin_invoke_sharp.png f2aa.codepoint=pin_outlined pin_outlined=material/pin_outlined.png f009c.codepoint=pin_rounded pin_rounded=material/pin_rounded.png ebbd.codepoint=pin_sharp pin_sharp=material/pin_sharp.png f054d.codepoint=pinch pinch=material/pinch.png f0644.codepoint=pinch_outlined pinch_outlined=material/pinch_outlined.png f0363.codepoint=pinch_rounded pinch_rounded=material/pinch_rounded.png f0456.codepoint=pinch_sharp pinch_sharp=material/pinch_sharp.png e4c8.codepoint=pivot_table_chart pivot_table_chart=material/pivot_table_chart.png f2ab.codepoint=pivot_table_chart_outlined pivot_table_chart_outlined=material/pivot_table_chart_outlined.png f009d.codepoint=pivot_table_chart_rounded pivot_table_chart_rounded=material/pivot_table_chart_rounded.png ebbe.codepoint=pivot_table_chart_sharp pivot_table_chart_sharp=material/pivot_table_chart_sharp.png f054e.codepoint=pix pix=material/pix.png f0645.codepoint=pix_outlined pix_outlined=material/pix_outlined.png f0364.codepoint=pix_rounded pix_rounded=material/pix_rounded.png f0457.codepoint=pix_sharp pix_sharp=material/pix_sharp.png e4c9.codepoint=place place=material/place.png f2ac.codepoint=place_outlined place_outlined=material/place_outlined.png f009e.codepoint=place_rounded place_rounded=material/place_rounded.png ebbf.codepoint=place_sharp place_sharp=material/place_sharp.png e4ca.codepoint=plagiarism plagiarism=material/plagiarism.png f2ad.codepoint=plagiarism_outlined plagiarism_outlined=material/plagiarism_outlined.png f009f.codepoint=plagiarism_rounded plagiarism_rounded=material/plagiarism_rounded.png ebc0.codepoint=plagiarism_sharp plagiarism_sharp=material/plagiarism_sharp.png e4cb.codepoint=play_arrow play_arrow=material/play_arrow.png f2ae.codepoint=play_arrow_outlined play_arrow_outlined=material/play_arrow_outlined.png f00a0.codepoint=play_arrow_rounded play_arrow_rounded=material/play_arrow_rounded.png ebc1.codepoint=play_arrow_sharp play_arrow_sharp=material/play_arrow_sharp.png e4cc.codepoint=play_circle play_circle=material/play_circle.png e4cd.codepoint=play_circle_fill play_circle_fill=material/play_circle_fill.png f2af.codepoint=play_circle_fill_outlined play_circle_fill_outlined=material/play_circle_fill_outlined.png f00a1.codepoint=play_circle_fill_rounded play_circle_fill_rounded=material/play_circle_fill_rounded.png ebc2.codepoint=play_circle_fill_sharp play_circle_fill_sharp=material/play_circle_fill_sharp.png # e4cd.codepoint=play_circle_filled play_circle_filled=material/play_circle_filled.png # f2af.codepoint=play_circle_filled_outlined play_circle_filled_outlined=material/play_circle_filled_outlined.png # f00a1.codepoint=play_circle_filled_rounded play_circle_filled_rounded=material/play_circle_filled_rounded.png # ebc2.codepoint=play_circle_filled_sharp play_circle_filled_sharp=material/play_circle_filled_sharp.png e4ce.codepoint=play_circle_outline play_circle_outline=material/play_circle_outline.png f2b0.codepoint=play_circle_outline_outlined play_circle_outline_outlined=material/play_circle_outline_outlined.png f00a2.codepoint=play_circle_outline_rounded play_circle_outline_rounded=material/play_circle_outline_rounded.png ebc3.codepoint=play_circle_outline_sharp play_circle_outline_sharp=material/play_circle_outline_sharp.png f2b1.codepoint=play_circle_outlined play_circle_outlined=material/play_circle_outlined.png f00a3.codepoint=play_circle_rounded play_circle_rounded=material/play_circle_rounded.png ebc4.codepoint=play_circle_sharp play_circle_sharp=material/play_circle_sharp.png e4cf.codepoint=play_disabled play_disabled=material/play_disabled.png f2b2.codepoint=play_disabled_outlined play_disabled_outlined=material/play_disabled_outlined.png f00a4.codepoint=play_disabled_rounded play_disabled_rounded=material/play_disabled_rounded.png ebc5.codepoint=play_disabled_sharp play_disabled_sharp=material/play_disabled_sharp.png e4d0.codepoint=play_for_work play_for_work=material/play_for_work.png f2b3.codepoint=play_for_work_outlined play_for_work_outlined=material/play_for_work_outlined.png f00a5.codepoint=play_for_work_rounded play_for_work_rounded=material/play_for_work_rounded.png ebc6.codepoint=play_for_work_sharp play_for_work_sharp=material/play_for_work_sharp.png e4d1.codepoint=play_lesson play_lesson=material/play_lesson.png f2b4.codepoint=play_lesson_outlined play_lesson_outlined=material/play_lesson_outlined.png f00a6.codepoint=play_lesson_rounded play_lesson_rounded=material/play_lesson_rounded.png ebc7.codepoint=play_lesson_sharp play_lesson_sharp=material/play_lesson_sharp.png e4d2.codepoint=playlist_add playlist_add=material/playlist_add.png e4d3.codepoint=playlist_add_check playlist_add_check=material/playlist_add_check.png f054f.codepoint=playlist_add_check_circle playlist_add_check_circle=material/playlist_add_check_circle.png f0646.codepoint=playlist_add_check_circle_outlined playlist_add_check_circle_outlined=material/playlist_add_check_circle_outlined.png f0365.codepoint=playlist_add_check_circle_rounded playlist_add_check_circle_rounded=material/playlist_add_check_circle_rounded.png f0458.codepoint=playlist_add_check_circle_sharp playlist_add_check_circle_sharp=material/playlist_add_check_circle_sharp.png f2b5.codepoint=playlist_add_check_outlined playlist_add_check_outlined=material/playlist_add_check_outlined.png f00a7.codepoint=playlist_add_check_rounded playlist_add_check_rounded=material/playlist_add_check_rounded.png ebc8.codepoint=playlist_add_check_sharp playlist_add_check_sharp=material/playlist_add_check_sharp.png f0550.codepoint=playlist_add_circle playlist_add_circle=material/playlist_add_circle.png f0647.codepoint=playlist_add_circle_outlined playlist_add_circle_outlined=material/playlist_add_circle_outlined.png f0366.codepoint=playlist_add_circle_rounded playlist_add_circle_rounded=material/playlist_add_circle_rounded.png f0459.codepoint=playlist_add_circle_sharp playlist_add_circle_sharp=material/playlist_add_circle_sharp.png f2b6.codepoint=playlist_add_outlined playlist_add_outlined=material/playlist_add_outlined.png f00a8.codepoint=playlist_add_rounded playlist_add_rounded=material/playlist_add_rounded.png ebc9.codepoint=playlist_add_sharp playlist_add_sharp=material/playlist_add_sharp.png e4d4.codepoint=playlist_play playlist_play=material/playlist_play.png f2b7.codepoint=playlist_play_outlined playlist_play_outlined=material/playlist_play_outlined.png f00a9.codepoint=playlist_play_rounded playlist_play_rounded=material/playlist_play_rounded.png ebca.codepoint=playlist_play_sharp playlist_play_sharp=material/playlist_play_sharp.png f0551.codepoint=playlist_remove playlist_remove=material/playlist_remove.png f0648.codepoint=playlist_remove_outlined playlist_remove_outlined=material/playlist_remove_outlined.png f0367.codepoint=playlist_remove_rounded playlist_remove_rounded=material/playlist_remove_rounded.png f045a.codepoint=playlist_remove_sharp playlist_remove_sharp=material/playlist_remove_sharp.png e4d5.codepoint=plumbing plumbing=material/plumbing.png f2b8.codepoint=plumbing_outlined plumbing_outlined=material/plumbing_outlined.png f00aa.codepoint=plumbing_rounded plumbing_rounded=material/plumbing_rounded.png ebcb.codepoint=plumbing_sharp plumbing_sharp=material/plumbing_sharp.png e4d6.codepoint=plus_one plus_one=material/plus_one.png f2b9.codepoint=plus_one_outlined plus_one_outlined=material/plus_one_outlined.png f00ab.codepoint=plus_one_rounded plus_one_rounded=material/plus_one_rounded.png ebcc.codepoint=plus_one_sharp plus_one_sharp=material/plus_one_sharp.png e4d7.codepoint=podcasts podcasts=material/podcasts.png f2ba.codepoint=podcasts_outlined podcasts_outlined=material/podcasts_outlined.png f00ac.codepoint=podcasts_rounded podcasts_rounded=material/podcasts_rounded.png ebcd.codepoint=podcasts_sharp podcasts_sharp=material/podcasts_sharp.png e4d8.codepoint=point_of_sale point_of_sale=material/point_of_sale.png f2bb.codepoint=point_of_sale_outlined point_of_sale_outlined=material/point_of_sale_outlined.png f00ad.codepoint=point_of_sale_rounded point_of_sale_rounded=material/point_of_sale_rounded.png ebce.codepoint=point_of_sale_sharp point_of_sale_sharp=material/point_of_sale_sharp.png e4d9.codepoint=policy policy=material/policy.png f2bc.codepoint=policy_outlined policy_outlined=material/policy_outlined.png f00ae.codepoint=policy_rounded policy_rounded=material/policy_rounded.png ebcf.codepoint=policy_sharp policy_sharp=material/policy_sharp.png e4da.codepoint=poll poll=material/poll.png f2bd.codepoint=poll_outlined poll_outlined=material/poll_outlined.png f00af.codepoint=poll_rounded poll_rounded=material/poll_rounded.png ebd0.codepoint=poll_sharp poll_sharp=material/poll_sharp.png f0552.codepoint=polyline polyline=material/polyline.png f0649.codepoint=polyline_outlined polyline_outlined=material/polyline_outlined.png f0368.codepoint=polyline_rounded polyline_rounded=material/polyline_rounded.png f045b.codepoint=polyline_sharp polyline_sharp=material/polyline_sharp.png e4db.codepoint=polymer polymer=material/polymer.png f2be.codepoint=polymer_outlined polymer_outlined=material/polymer_outlined.png f00b0.codepoint=polymer_rounded polymer_rounded=material/polymer_rounded.png ebd1.codepoint=polymer_sharp polymer_sharp=material/polymer_sharp.png e4dc.codepoint=pool pool=material/pool.png f2bf.codepoint=pool_outlined pool_outlined=material/pool_outlined.png f00b1.codepoint=pool_rounded pool_rounded=material/pool_rounded.png ebd2.codepoint=pool_sharp pool_sharp=material/pool_sharp.png e4dd.codepoint=portable_wifi_off portable_wifi_off=material/portable_wifi_off.png f2c0.codepoint=portable_wifi_off_outlined portable_wifi_off_outlined=material/portable_wifi_off_outlined.png f00b2.codepoint=portable_wifi_off_rounded portable_wifi_off_rounded=material/portable_wifi_off_rounded.png ebd3.codepoint=portable_wifi_off_sharp portable_wifi_off_sharp=material/portable_wifi_off_sharp.png e4de.codepoint=portrait portrait=material/portrait.png f2c1.codepoint=portrait_outlined portrait_outlined=material/portrait_outlined.png f00b3.codepoint=portrait_rounded portrait_rounded=material/portrait_rounded.png ebd4.codepoint=portrait_sharp portrait_sharp=material/portrait_sharp.png e4df.codepoint=post_add post_add=material/post_add.png f2c2.codepoint=post_add_outlined post_add_outlined=material/post_add_outlined.png f00b4.codepoint=post_add_rounded post_add_rounded=material/post_add_rounded.png ebd5.codepoint=post_add_sharp post_add_sharp=material/post_add_sharp.png e4e0.codepoint=power power=material/power.png e4e1.codepoint=power_input power_input=material/power_input.png f2c3.codepoint=power_input_outlined power_input_outlined=material/power_input_outlined.png f00b5.codepoint=power_input_rounded power_input_rounded=material/power_input_rounded.png ebd6.codepoint=power_input_sharp power_input_sharp=material/power_input_sharp.png e4e2.codepoint=power_off power_off=material/power_off.png f2c4.codepoint=power_off_outlined power_off_outlined=material/power_off_outlined.png f00b6.codepoint=power_off_rounded power_off_rounded=material/power_off_rounded.png ebd7.codepoint=power_off_sharp power_off_sharp=material/power_off_sharp.png f2c5.codepoint=power_outlined power_outlined=material/power_outlined.png f00b7.codepoint=power_rounded power_rounded=material/power_rounded.png e4e3.codepoint=power_settings_new power_settings_new=material/power_settings_new.png f2c6.codepoint=power_settings_new_outlined power_settings_new_outlined=material/power_settings_new_outlined.png f00b8.codepoint=power_settings_new_rounded power_settings_new_rounded=material/power_settings_new_rounded.png ebd8.codepoint=power_settings_new_sharp power_settings_new_sharp=material/power_settings_new_sharp.png ebd9.codepoint=power_sharp power_sharp=material/power_sharp.png e4e4.codepoint=precision_manufacturing precision_manufacturing=material/precision_manufacturing.png f2c7.codepoint=precision_manufacturing_outlined precision_manufacturing_outlined=material/precision_manufacturing_outlined.png f00b9.codepoint=precision_manufacturing_rounded precision_manufacturing_rounded=material/precision_manufacturing_rounded.png ebda.codepoint=precision_manufacturing_sharp precision_manufacturing_sharp=material/precision_manufacturing_sharp.png e4e5.codepoint=pregnant_woman pregnant_woman=material/pregnant_woman.png f2c8.codepoint=pregnant_woman_outlined pregnant_woman_outlined=material/pregnant_woman_outlined.png f00ba.codepoint=pregnant_woman_rounded pregnant_woman_rounded=material/pregnant_woman_rounded.png ebdb.codepoint=pregnant_woman_sharp pregnant_woman_sharp=material/pregnant_woman_sharp.png e4e6.codepoint=present_to_all present_to_all=material/present_to_all.png f2c9.codepoint=present_to_all_outlined present_to_all_outlined=material/present_to_all_outlined.png f00bb.codepoint=present_to_all_rounded present_to_all_rounded=material/present_to_all_rounded.png ebdc.codepoint=present_to_all_sharp present_to_all_sharp=material/present_to_all_sharp.png e4e7.codepoint=preview preview=material/preview.png f2ca.codepoint=preview_outlined preview_outlined=material/preview_outlined.png f00bc.codepoint=preview_rounded preview_rounded=material/preview_rounded.png ebdd.codepoint=preview_sharp preview_sharp=material/preview_sharp.png e4e8.codepoint=price_change price_change=material/price_change.png f2cb.codepoint=price_change_outlined price_change_outlined=material/price_change_outlined.png f00bd.codepoint=price_change_rounded price_change_rounded=material/price_change_rounded.png ebde.codepoint=price_change_sharp price_change_sharp=material/price_change_sharp.png e4e9.codepoint=price_check price_check=material/price_check.png f2cc.codepoint=price_check_outlined price_check_outlined=material/price_check_outlined.png f00be.codepoint=price_check_rounded price_check_rounded=material/price_check_rounded.png ebdf.codepoint=price_check_sharp price_check_sharp=material/price_check_sharp.png e4ea.codepoint=print print=material/print.png e4eb.codepoint=print_disabled print_disabled=material/print_disabled.png f2cd.codepoint=print_disabled_outlined print_disabled_outlined=material/print_disabled_outlined.png f00bf.codepoint=print_disabled_rounded print_disabled_rounded=material/print_disabled_rounded.png ebe0.codepoint=print_disabled_sharp print_disabled_sharp=material/print_disabled_sharp.png f2ce.codepoint=print_outlined print_outlined=material/print_outlined.png f00c0.codepoint=print_rounded print_rounded=material/print_rounded.png ebe1.codepoint=print_sharp print_sharp=material/print_sharp.png e4ec.codepoint=priority_high priority_high=material/priority_high.png f2cf.codepoint=priority_high_outlined priority_high_outlined=material/priority_high_outlined.png f00c1.codepoint=priority_high_rounded priority_high_rounded=material/priority_high_rounded.png ebe2.codepoint=priority_high_sharp priority_high_sharp=material/priority_high_sharp.png e4ed.codepoint=privacy_tip privacy_tip=material/privacy_tip.png f2d0.codepoint=privacy_tip_outlined privacy_tip_outlined=material/privacy_tip_outlined.png f00c2.codepoint=privacy_tip_rounded privacy_tip_rounded=material/privacy_tip_rounded.png ebe3.codepoint=privacy_tip_sharp privacy_tip_sharp=material/privacy_tip_sharp.png f0553.codepoint=private_connectivity private_connectivity=material/private_connectivity.png f064a.codepoint=private_connectivity_outlined private_connectivity_outlined=material/private_connectivity_outlined.png f0369.codepoint=private_connectivity_rounded private_connectivity_rounded=material/private_connectivity_rounded.png f045c.codepoint=private_connectivity_sharp private_connectivity_sharp=material/private_connectivity_sharp.png e4ee.codepoint=production_quantity_limits production_quantity_limits=material/production_quantity_limits.png f2d1.codepoint=production_quantity_limits_outlined production_quantity_limits_outlined=material/production_quantity_limits_outlined.png f00c3.codepoint=production_quantity_limits_rounded production_quantity_limits_rounded=material/production_quantity_limits_rounded.png ebe4.codepoint=production_quantity_limits_sharp production_quantity_limits_sharp=material/production_quantity_limits_sharp.png f07b9.codepoint=propane propane=material/propane.png f0709.codepoint=propane_outlined propane_outlined=material/propane_outlined.png f0811.codepoint=propane_rounded propane_rounded=material/propane_rounded.png f0761.codepoint=propane_sharp propane_sharp=material/propane_sharp.png f07ba.codepoint=propane_tank propane_tank=material/propane_tank.png f070a.codepoint=propane_tank_outlined propane_tank_outlined=material/propane_tank_outlined.png f0812.codepoint=propane_tank_rounded propane_tank_rounded=material/propane_tank_rounded.png f0762.codepoint=propane_tank_sharp propane_tank_sharp=material/propane_tank_sharp.png e4ef.codepoint=psychology psychology=material/psychology.png f2d2.codepoint=psychology_outlined psychology_outlined=material/psychology_outlined.png f00c4.codepoint=psychology_rounded psychology_rounded=material/psychology_rounded.png ebe5.codepoint=psychology_sharp psychology_sharp=material/psychology_sharp.png e4f0.codepoint=public public=material/public.png e4f1.codepoint=public_off public_off=material/public_off.png f2d3.codepoint=public_off_outlined public_off_outlined=material/public_off_outlined.png f00c5.codepoint=public_off_rounded public_off_rounded=material/public_off_rounded.png ebe6.codepoint=public_off_sharp public_off_sharp=material/public_off_sharp.png f2d4.codepoint=public_outlined public_outlined=material/public_outlined.png f00c6.codepoint=public_rounded public_rounded=material/public_rounded.png ebe7.codepoint=public_sharp public_sharp=material/public_sharp.png e4f2.codepoint=publish publish=material/publish.png f2d5.codepoint=publish_outlined publish_outlined=material/publish_outlined.png f00c7.codepoint=publish_rounded publish_rounded=material/publish_rounded.png ebe8.codepoint=publish_sharp publish_sharp=material/publish_sharp.png e4f3.codepoint=published_with_changes published_with_changes=material/published_with_changes.png f2d6.codepoint=published_with_changes_outlined published_with_changes_outlined=material/published_with_changes_outlined.png f00c8.codepoint=published_with_changes_rounded published_with_changes_rounded=material/published_with_changes_rounded.png ebe9.codepoint=published_with_changes_sharp published_with_changes_sharp=material/published_with_changes_sharp.png f0554.codepoint=punch_clock punch_clock=material/punch_clock.png f064b.codepoint=punch_clock_outlined punch_clock_outlined=material/punch_clock_outlined.png f036a.codepoint=punch_clock_rounded punch_clock_rounded=material/punch_clock_rounded.png f045d.codepoint=punch_clock_sharp punch_clock_sharp=material/punch_clock_sharp.png e4f4.codepoint=push_pin push_pin=material/push_pin.png f2d7.codepoint=push_pin_outlined push_pin_outlined=material/push_pin_outlined.png f00c9.codepoint=push_pin_rounded push_pin_rounded=material/push_pin_rounded.png ebea.codepoint=push_pin_sharp push_pin_sharp=material/push_pin_sharp.png e4f5.codepoint=qr_code qr_code=material/qr_code.png e4f6.codepoint=qr_code_2 qr_code_2=material/qr_code_2.png f2d8.codepoint=qr_code_2_outlined qr_code_2_outlined=material/qr_code_2_outlined.png f00ca.codepoint=qr_code_2_rounded qr_code_2_rounded=material/qr_code_2_rounded.png ebeb.codepoint=qr_code_2_sharp qr_code_2_sharp=material/qr_code_2_sharp.png f2d9.codepoint=qr_code_outlined qr_code_outlined=material/qr_code_outlined.png f00cb.codepoint=qr_code_rounded qr_code_rounded=material/qr_code_rounded.png e4f7.codepoint=qr_code_scanner qr_code_scanner=material/qr_code_scanner.png f2da.codepoint=qr_code_scanner_outlined qr_code_scanner_outlined=material/qr_code_scanner_outlined.png f00cc.codepoint=qr_code_scanner_rounded qr_code_scanner_rounded=material/qr_code_scanner_rounded.png ebec.codepoint=qr_code_scanner_sharp qr_code_scanner_sharp=material/qr_code_scanner_sharp.png ebed.codepoint=qr_code_sharp qr_code_sharp=material/qr_code_sharp.png e4f8.codepoint=query_builder query_builder=material/query_builder.png f2db.codepoint=query_builder_outlined query_builder_outlined=material/query_builder_outlined.png f00cd.codepoint=query_builder_rounded query_builder_rounded=material/query_builder_rounded.png ebee.codepoint=query_builder_sharp query_builder_sharp=material/query_builder_sharp.png e4f9.codepoint=query_stats query_stats=material/query_stats.png f2dc.codepoint=query_stats_outlined query_stats_outlined=material/query_stats_outlined.png f00ce.codepoint=query_stats_rounded query_stats_rounded=material/query_stats_rounded.png ebef.codepoint=query_stats_sharp query_stats_sharp=material/query_stats_sharp.png e4fa.codepoint=question_answer question_answer=material/question_answer.png f2dd.codepoint=question_answer_outlined question_answer_outlined=material/question_answer_outlined.png f00cf.codepoint=question_answer_rounded question_answer_rounded=material/question_answer_rounded.png ebf0.codepoint=question_answer_sharp question_answer_sharp=material/question_answer_sharp.png f0555.codepoint=question_mark question_mark=material/question_mark.png f064c.codepoint=question_mark_outlined question_mark_outlined=material/question_mark_outlined.png f036b.codepoint=question_mark_rounded question_mark_rounded=material/question_mark_rounded.png f045e.codepoint=question_mark_sharp question_mark_sharp=material/question_mark_sharp.png e4fb.codepoint=queue queue=material/queue.png e4fc.codepoint=queue_music queue_music=material/queue_music.png f2de.codepoint=queue_music_outlined queue_music_outlined=material/queue_music_outlined.png f00d0.codepoint=queue_music_rounded queue_music_rounded=material/queue_music_rounded.png ebf1.codepoint=queue_music_sharp queue_music_sharp=material/queue_music_sharp.png f2df.codepoint=queue_outlined queue_outlined=material/queue_outlined.png e4fd.codepoint=queue_play_next queue_play_next=material/queue_play_next.png f2e0.codepoint=queue_play_next_outlined queue_play_next_outlined=material/queue_play_next_outlined.png f00d1.codepoint=queue_play_next_rounded queue_play_next_rounded=material/queue_play_next_rounded.png ebf2.codepoint=queue_play_next_sharp queue_play_next_sharp=material/queue_play_next_sharp.png f00d2.codepoint=queue_rounded queue_rounded=material/queue_rounded.png ebf3.codepoint=queue_sharp queue_sharp=material/queue_sharp.png # e18c.codepoint=quick_contacts_dialer quick_contacts_dialer=material/quick_contacts_dialer.png # ef7b.codepoint=quick_contacts_dialer_outlined quick_contacts_dialer_outlined=material/quick_contacts_dialer_outlined.png # f668.codepoint=quick_contacts_dialer_rounded quick_contacts_dialer_rounded=material/quick_contacts_dialer_rounded.png # e889.codepoint=quick_contacts_dialer_sharp quick_contacts_dialer_sharp=material/quick_contacts_dialer_sharp.png # e18a.codepoint=quick_contacts_mail quick_contacts_mail=material/quick_contacts_mail.png # ef79.codepoint=quick_contacts_mail_outlined quick_contacts_mail_outlined=material/quick_contacts_mail_outlined.png # f666.codepoint=quick_contacts_mail_rounded quick_contacts_mail_rounded=material/quick_contacts_mail_rounded.png # e887.codepoint=quick_contacts_mail_sharp quick_contacts_mail_sharp=material/quick_contacts_mail_sharp.png e4fe.codepoint=quickreply quickreply=material/quickreply.png f2e1.codepoint=quickreply_outlined quickreply_outlined=material/quickreply_outlined.png f00d3.codepoint=quickreply_rounded quickreply_rounded=material/quickreply_rounded.png ebf4.codepoint=quickreply_sharp quickreply_sharp=material/quickreply_sharp.png e4ff.codepoint=quiz quiz=material/quiz.png f2e2.codepoint=quiz_outlined quiz_outlined=material/quiz_outlined.png f00d4.codepoint=quiz_rounded quiz_rounded=material/quiz_rounded.png ebf5.codepoint=quiz_sharp quiz_sharp=material/quiz_sharp.png f0556.codepoint=quora quora=material/quora.png f064d.codepoint=quora_outlined quora_outlined=material/quora_outlined.png f036c.codepoint=quora_rounded quora_rounded=material/quora_rounded.png f045f.codepoint=quora_sharp quora_sharp=material/quora_sharp.png e500.codepoint=r_mobiledata r_mobiledata=material/r_mobiledata.png f2e3.codepoint=r_mobiledata_outlined r_mobiledata_outlined=material/r_mobiledata_outlined.png f00d5.codepoint=r_mobiledata_rounded r_mobiledata_rounded=material/r_mobiledata_rounded.png ebf6.codepoint=r_mobiledata_sharp r_mobiledata_sharp=material/r_mobiledata_sharp.png e501.codepoint=radar radar=material/radar.png f2e4.codepoint=radar_outlined radar_outlined=material/radar_outlined.png f00d6.codepoint=radar_rounded radar_rounded=material/radar_rounded.png ebf7.codepoint=radar_sharp radar_sharp=material/radar_sharp.png e502.codepoint=radio radio=material/radio.png e503.codepoint=radio_button_checked radio_button_checked=material/radio_button_checked.png f2e5.codepoint=radio_button_checked_outlined radio_button_checked_outlined=material/radio_button_checked_outlined.png f00d7.codepoint=radio_button_checked_rounded radio_button_checked_rounded=material/radio_button_checked_rounded.png ebf8.codepoint=radio_button_checked_sharp radio_button_checked_sharp=material/radio_button_checked_sharp.png e504.codepoint=radio_button_off radio_button_off=material/radio_button_off.png f2e6.codepoint=radio_button_off_outlined radio_button_off_outlined=material/radio_button_off_outlined.png f00d8.codepoint=radio_button_off_rounded radio_button_off_rounded=material/radio_button_off_rounded.png ebf9.codepoint=radio_button_off_sharp radio_button_off_sharp=material/radio_button_off_sharp.png # e503.codepoint=radio_button_on radio_button_on=material/radio_button_on.png # f2e5.codepoint=radio_button_on_outlined radio_button_on_outlined=material/radio_button_on_outlined.png # f00d7.codepoint=radio_button_on_rounded radio_button_on_rounded=material/radio_button_on_rounded.png # ebf8.codepoint=radio_button_on_sharp radio_button_on_sharp=material/radio_button_on_sharp.png # e504.codepoint=radio_button_unchecked radio_button_unchecked=material/radio_button_unchecked.png # f2e6.codepoint=radio_button_unchecked_outlined radio_button_unchecked_outlined=material/radio_button_unchecked_outlined.png # f00d8.codepoint=radio_button_unchecked_rounded radio_button_unchecked_rounded=material/radio_button_unchecked_rounded.png # ebf9.codepoint=radio_button_unchecked_sharp radio_button_unchecked_sharp=material/radio_button_unchecked_sharp.png f2e7.codepoint=radio_outlined radio_outlined=material/radio_outlined.png f00d9.codepoint=radio_rounded radio_rounded=material/radio_rounded.png ebfa.codepoint=radio_sharp radio_sharp=material/radio_sharp.png e505.codepoint=railway_alert railway_alert=material/railway_alert.png f2e8.codepoint=railway_alert_outlined railway_alert_outlined=material/railway_alert_outlined.png f00da.codepoint=railway_alert_rounded railway_alert_rounded=material/railway_alert_rounded.png ebfb.codepoint=railway_alert_sharp railway_alert_sharp=material/railway_alert_sharp.png e506.codepoint=ramen_dining ramen_dining=material/ramen_dining.png f2e9.codepoint=ramen_dining_outlined ramen_dining_outlined=material/ramen_dining_outlined.png f00db.codepoint=ramen_dining_rounded ramen_dining_rounded=material/ramen_dining_rounded.png ebfc.codepoint=ramen_dining_sharp ramen_dining_sharp=material/ramen_dining_sharp.png f0557.codepoint=ramp_left ramp_left=material/ramp_left.png f064e.codepoint=ramp_left_outlined ramp_left_outlined=material/ramp_left_outlined.png f036d.codepoint=ramp_left_rounded ramp_left_rounded=material/ramp_left_rounded.png f0460.codepoint=ramp_left_sharp ramp_left_sharp=material/ramp_left_sharp.png f0558.codepoint=ramp_right ramp_right=material/ramp_right.png f064f.codepoint=ramp_right_outlined ramp_right_outlined=material/ramp_right_outlined.png f036e.codepoint=ramp_right_rounded ramp_right_rounded=material/ramp_right_rounded.png f0461.codepoint=ramp_right_sharp ramp_right_sharp=material/ramp_right_sharp.png e507.codepoint=rate_review rate_review=material/rate_review.png f2ea.codepoint=rate_review_outlined rate_review_outlined=material/rate_review_outlined.png f00dc.codepoint=rate_review_rounded rate_review_rounded=material/rate_review_rounded.png ebfd.codepoint=rate_review_sharp rate_review_sharp=material/rate_review_sharp.png e508.codepoint=raw_off raw_off=material/raw_off.png f2eb.codepoint=raw_off_outlined raw_off_outlined=material/raw_off_outlined.png f00dd.codepoint=raw_off_rounded raw_off_rounded=material/raw_off_rounded.png ebfe.codepoint=raw_off_sharp raw_off_sharp=material/raw_off_sharp.png e509.codepoint=raw_on raw_on=material/raw_on.png f2ec.codepoint=raw_on_outlined raw_on_outlined=material/raw_on_outlined.png f00de.codepoint=raw_on_rounded raw_on_rounded=material/raw_on_rounded.png ebff.codepoint=raw_on_sharp raw_on_sharp=material/raw_on_sharp.png e50a.codepoint=read_more read_more=material/read_more.png f2ed.codepoint=read_more_outlined read_more_outlined=material/read_more_outlined.png f00df.codepoint=read_more_rounded read_more_rounded=material/read_more_rounded.png ec00.codepoint=read_more_sharp read_more_sharp=material/read_more_sharp.png e50b.codepoint=real_estate_agent real_estate_agent=material/real_estate_agent.png f2ee.codepoint=real_estate_agent_outlined real_estate_agent_outlined=material/real_estate_agent_outlined.png f00e0.codepoint=real_estate_agent_rounded real_estate_agent_rounded=material/real_estate_agent_rounded.png ec01.codepoint=real_estate_agent_sharp real_estate_agent_sharp=material/real_estate_agent_sharp.png e50c.codepoint=receipt receipt=material/receipt.png e50d.codepoint=receipt_long receipt_long=material/receipt_long.png f2ef.codepoint=receipt_long_outlined receipt_long_outlined=material/receipt_long_outlined.png f00e1.codepoint=receipt_long_rounded receipt_long_rounded=material/receipt_long_rounded.png ec02.codepoint=receipt_long_sharp receipt_long_sharp=material/receipt_long_sharp.png f2f0.codepoint=receipt_outlined receipt_outlined=material/receipt_outlined.png f00e2.codepoint=receipt_rounded receipt_rounded=material/receipt_rounded.png ec03.codepoint=receipt_sharp receipt_sharp=material/receipt_sharp.png e50e.codepoint=recent_actors recent_actors=material/recent_actors.png f2f1.codepoint=recent_actors_outlined recent_actors_outlined=material/recent_actors_outlined.png f00e3.codepoint=recent_actors_rounded recent_actors_rounded=material/recent_actors_rounded.png ec04.codepoint=recent_actors_sharp recent_actors_sharp=material/recent_actors_sharp.png e50f.codepoint=recommend recommend=material/recommend.png f2f2.codepoint=recommend_outlined recommend_outlined=material/recommend_outlined.png f00e4.codepoint=recommend_rounded recommend_rounded=material/recommend_rounded.png ec05.codepoint=recommend_sharp recommend_sharp=material/recommend_sharp.png e510.codepoint=record_voice_over record_voice_over=material/record_voice_over.png f2f3.codepoint=record_voice_over_outlined record_voice_over_outlined=material/record_voice_over_outlined.png f00e5.codepoint=record_voice_over_rounded record_voice_over_rounded=material/record_voice_over_rounded.png ec06.codepoint=record_voice_over_sharp record_voice_over_sharp=material/record_voice_over_sharp.png f0559.codepoint=rectangle rectangle=material/rectangle.png f0650.codepoint=rectangle_outlined rectangle_outlined=material/rectangle_outlined.png f036f.codepoint=rectangle_rounded rectangle_rounded=material/rectangle_rounded.png f0462.codepoint=rectangle_sharp rectangle_sharp=material/rectangle_sharp.png f055a.codepoint=recycling recycling=material/recycling.png f0651.codepoint=recycling_outlined recycling_outlined=material/recycling_outlined.png f0370.codepoint=recycling_rounded recycling_rounded=material/recycling_rounded.png f0463.codepoint=recycling_sharp recycling_sharp=material/recycling_sharp.png f055b.codepoint=reddit reddit=material/reddit.png f0652.codepoint=reddit_outlined reddit_outlined=material/reddit_outlined.png f0371.codepoint=reddit_rounded reddit_rounded=material/reddit_rounded.png f0464.codepoint=reddit_sharp reddit_sharp=material/reddit_sharp.png e511.codepoint=redeem redeem=material/redeem.png f2f4.codepoint=redeem_outlined redeem_outlined=material/redeem_outlined.png f00e6.codepoint=redeem_rounded redeem_rounded=material/redeem_rounded.png ec07.codepoint=redeem_sharp redeem_sharp=material/redeem_sharp.png e512.codepoint=redo redo=material/redo.png f2f5.codepoint=redo_outlined redo_outlined=material/redo_outlined.png f00e7.codepoint=redo_rounded redo_rounded=material/redo_rounded.png ec08.codepoint=redo_sharp redo_sharp=material/redo_sharp.png e513.codepoint=reduce_capacity reduce_capacity=material/reduce_capacity.png f2f6.codepoint=reduce_capacity_outlined reduce_capacity_outlined=material/reduce_capacity_outlined.png f00e8.codepoint=reduce_capacity_rounded reduce_capacity_rounded=material/reduce_capacity_rounded.png ec09.codepoint=reduce_capacity_sharp reduce_capacity_sharp=material/reduce_capacity_sharp.png e514.codepoint=refresh refresh=material/refresh.png f2f7.codepoint=refresh_outlined refresh_outlined=material/refresh_outlined.png f00e9.codepoint=refresh_rounded refresh_rounded=material/refresh_rounded.png ec0a.codepoint=refresh_sharp refresh_sharp=material/refresh_sharp.png e515.codepoint=remember_me remember_me=material/remember_me.png f2f8.codepoint=remember_me_outlined remember_me_outlined=material/remember_me_outlined.png f00ea.codepoint=remember_me_rounded remember_me_rounded=material/remember_me_rounded.png ec0b.codepoint=remember_me_sharp remember_me_sharp=material/remember_me_sharp.png e516.codepoint=remove remove=material/remove.png e517.codepoint=remove_circle remove_circle=material/remove_circle.png e518.codepoint=remove_circle_outline remove_circle_outline=material/remove_circle_outline.png f2f9.codepoint=remove_circle_outline_outlined remove_circle_outline_outlined=material/remove_circle_outline_outlined.png f00eb.codepoint=remove_circle_outline_rounded remove_circle_outline_rounded=material/remove_circle_outline_rounded.png ec0c.codepoint=remove_circle_outline_sharp remove_circle_outline_sharp=material/remove_circle_outline_sharp.png f2fa.codepoint=remove_circle_outlined remove_circle_outlined=material/remove_circle_outlined.png f00ec.codepoint=remove_circle_rounded remove_circle_rounded=material/remove_circle_rounded.png ec0d.codepoint=remove_circle_sharp remove_circle_sharp=material/remove_circle_sharp.png e519.codepoint=remove_done remove_done=material/remove_done.png f2fb.codepoint=remove_done_outlined remove_done_outlined=material/remove_done_outlined.png f00ed.codepoint=remove_done_rounded remove_done_rounded=material/remove_done_rounded.png ec0e.codepoint=remove_done_sharp remove_done_sharp=material/remove_done_sharp.png e51a.codepoint=remove_from_queue remove_from_queue=material/remove_from_queue.png f2fc.codepoint=remove_from_queue_outlined remove_from_queue_outlined=material/remove_from_queue_outlined.png f00ee.codepoint=remove_from_queue_rounded remove_from_queue_rounded=material/remove_from_queue_rounded.png ec0f.codepoint=remove_from_queue_sharp remove_from_queue_sharp=material/remove_from_queue_sharp.png e51b.codepoint=remove_moderator remove_moderator=material/remove_moderator.png f2fd.codepoint=remove_moderator_outlined remove_moderator_outlined=material/remove_moderator_outlined.png f00ef.codepoint=remove_moderator_rounded remove_moderator_rounded=material/remove_moderator_rounded.png ec10.codepoint=remove_moderator_sharp remove_moderator_sharp=material/remove_moderator_sharp.png f2fe.codepoint=remove_outlined remove_outlined=material/remove_outlined.png e51c.codepoint=remove_red_eye remove_red_eye=material/remove_red_eye.png f2ff.codepoint=remove_red_eye_outlined remove_red_eye_outlined=material/remove_red_eye_outlined.png f00f0.codepoint=remove_red_eye_rounded remove_red_eye_rounded=material/remove_red_eye_rounded.png ec11.codepoint=remove_red_eye_sharp remove_red_eye_sharp=material/remove_red_eye_sharp.png f07bb.codepoint=remove_road remove_road=material/remove_road.png f070b.codepoint=remove_road_outlined remove_road_outlined=material/remove_road_outlined.png f0813.codepoint=remove_road_rounded remove_road_rounded=material/remove_road_rounded.png f0763.codepoint=remove_road_sharp remove_road_sharp=material/remove_road_sharp.png f00f1.codepoint=remove_rounded remove_rounded=material/remove_rounded.png ec12.codepoint=remove_sharp remove_sharp=material/remove_sharp.png e51d.codepoint=remove_shopping_cart remove_shopping_cart=material/remove_shopping_cart.png f300.codepoint=remove_shopping_cart_outlined remove_shopping_cart_outlined=material/remove_shopping_cart_outlined.png f00f2.codepoint=remove_shopping_cart_rounded remove_shopping_cart_rounded=material/remove_shopping_cart_rounded.png ec13.codepoint=remove_shopping_cart_sharp remove_shopping_cart_sharp=material/remove_shopping_cart_sharp.png e51e.codepoint=reorder reorder=material/reorder.png f301.codepoint=reorder_outlined reorder_outlined=material/reorder_outlined.png f00f3.codepoint=reorder_rounded reorder_rounded=material/reorder_rounded.png ec14.codepoint=reorder_sharp reorder_sharp=material/reorder_sharp.png e51f.codepoint=repeat repeat=material/repeat.png e520.codepoint=repeat_on repeat_on=material/repeat_on.png f302.codepoint=repeat_on_outlined repeat_on_outlined=material/repeat_on_outlined.png f00f4.codepoint=repeat_on_rounded repeat_on_rounded=material/repeat_on_rounded.png ec15.codepoint=repeat_on_sharp repeat_on_sharp=material/repeat_on_sharp.png e521.codepoint=repeat_one repeat_one=material/repeat_one.png e522.codepoint=repeat_one_on repeat_one_on=material/repeat_one_on.png f303.codepoint=repeat_one_on_outlined repeat_one_on_outlined=material/repeat_one_on_outlined.png f00f5.codepoint=repeat_one_on_rounded repeat_one_on_rounded=material/repeat_one_on_rounded.png ec16.codepoint=repeat_one_on_sharp repeat_one_on_sharp=material/repeat_one_on_sharp.png f304.codepoint=repeat_one_outlined repeat_one_outlined=material/repeat_one_outlined.png f00f6.codepoint=repeat_one_rounded repeat_one_rounded=material/repeat_one_rounded.png ec17.codepoint=repeat_one_sharp repeat_one_sharp=material/repeat_one_sharp.png f305.codepoint=repeat_outlined repeat_outlined=material/repeat_outlined.png f00f7.codepoint=repeat_rounded repeat_rounded=material/repeat_rounded.png ec18.codepoint=repeat_sharp repeat_sharp=material/repeat_sharp.png e523.codepoint=replay replay=material/replay.png e524.codepoint=replay_10 replay_10=material/replay_10.png f306.codepoint=replay_10_outlined replay_10_outlined=material/replay_10_outlined.png f00f8.codepoint=replay_10_rounded replay_10_rounded=material/replay_10_rounded.png ec19.codepoint=replay_10_sharp replay_10_sharp=material/replay_10_sharp.png e525.codepoint=replay_30 replay_30=material/replay_30.png f307.codepoint=replay_30_outlined replay_30_outlined=material/replay_30_outlined.png f00f9.codepoint=replay_30_rounded replay_30_rounded=material/replay_30_rounded.png ec1a.codepoint=replay_30_sharp replay_30_sharp=material/replay_30_sharp.png e526.codepoint=replay_5 replay_5=material/replay_5.png f308.codepoint=replay_5_outlined replay_5_outlined=material/replay_5_outlined.png f00fa.codepoint=replay_5_rounded replay_5_rounded=material/replay_5_rounded.png ec1b.codepoint=replay_5_sharp replay_5_sharp=material/replay_5_sharp.png e527.codepoint=replay_circle_filled replay_circle_filled=material/replay_circle_filled.png f309.codepoint=replay_circle_filled_outlined replay_circle_filled_outlined=material/replay_circle_filled_outlined.png f00fb.codepoint=replay_circle_filled_rounded replay_circle_filled_rounded=material/replay_circle_filled_rounded.png ec1c.codepoint=replay_circle_filled_sharp replay_circle_filled_sharp=material/replay_circle_filled_sharp.png f30a.codepoint=replay_outlined replay_outlined=material/replay_outlined.png f00fc.codepoint=replay_rounded replay_rounded=material/replay_rounded.png ec1d.codepoint=replay_sharp replay_sharp=material/replay_sharp.png e528.codepoint=reply reply=material/reply.png e529.codepoint=reply_all reply_all=material/reply_all.png f30b.codepoint=reply_all_outlined reply_all_outlined=material/reply_all_outlined.png f00fd.codepoint=reply_all_rounded reply_all_rounded=material/reply_all_rounded.png ec1e.codepoint=reply_all_sharp reply_all_sharp=material/reply_all_sharp.png f30c.codepoint=reply_outlined reply_outlined=material/reply_outlined.png f00fe.codepoint=reply_rounded reply_rounded=material/reply_rounded.png ec1f.codepoint=reply_sharp reply_sharp=material/reply_sharp.png e52a.codepoint=report report=material/report.png e52b.codepoint=report_gmailerrorred report_gmailerrorred=material/report_gmailerrorred.png f30d.codepoint=report_gmailerrorred_outlined report_gmailerrorred_outlined=material/report_gmailerrorred_outlined.png f00ff.codepoint=report_gmailerrorred_rounded report_gmailerrorred_rounded=material/report_gmailerrorred_rounded.png ec20.codepoint=report_gmailerrorred_sharp report_gmailerrorred_sharp=material/report_gmailerrorred_sharp.png e52c.codepoint=report_off report_off=material/report_off.png f30e.codepoint=report_off_outlined report_off_outlined=material/report_off_outlined.png f0100.codepoint=report_off_rounded report_off_rounded=material/report_off_rounded.png ec21.codepoint=report_off_sharp report_off_sharp=material/report_off_sharp.png f30f.codepoint=report_outlined report_outlined=material/report_outlined.png e52d.codepoint=report_problem report_problem=material/report_problem.png f310.codepoint=report_problem_outlined report_problem_outlined=material/report_problem_outlined.png f0101.codepoint=report_problem_rounded report_problem_rounded=material/report_problem_rounded.png ec22.codepoint=report_problem_sharp report_problem_sharp=material/report_problem_sharp.png f0102.codepoint=report_rounded report_rounded=material/report_rounded.png ec23.codepoint=report_sharp report_sharp=material/report_sharp.png e52e.codepoint=request_page request_page=material/request_page.png f311.codepoint=request_page_outlined request_page_outlined=material/request_page_outlined.png f0103.codepoint=request_page_rounded request_page_rounded=material/request_page_rounded.png ec24.codepoint=request_page_sharp request_page_sharp=material/request_page_sharp.png e52f.codepoint=request_quote request_quote=material/request_quote.png f312.codepoint=request_quote_outlined request_quote_outlined=material/request_quote_outlined.png f0104.codepoint=request_quote_rounded request_quote_rounded=material/request_quote_rounded.png ec25.codepoint=request_quote_sharp request_quote_sharp=material/request_quote_sharp.png e530.codepoint=reset_tv reset_tv=material/reset_tv.png f313.codepoint=reset_tv_outlined reset_tv_outlined=material/reset_tv_outlined.png f0105.codepoint=reset_tv_rounded reset_tv_rounded=material/reset_tv_rounded.png ec26.codepoint=reset_tv_sharp reset_tv_sharp=material/reset_tv_sharp.png e531.codepoint=restart_alt restart_alt=material/restart_alt.png f314.codepoint=restart_alt_outlined restart_alt_outlined=material/restart_alt_outlined.png f0106.codepoint=restart_alt_rounded restart_alt_rounded=material/restart_alt_rounded.png ec27.codepoint=restart_alt_sharp restart_alt_sharp=material/restart_alt_sharp.png e532.codepoint=restaurant restaurant=material/restaurant.png e533.codepoint=restaurant_menu restaurant_menu=material/restaurant_menu.png f315.codepoint=restaurant_menu_outlined restaurant_menu_outlined=material/restaurant_menu_outlined.png f0107.codepoint=restaurant_menu_rounded restaurant_menu_rounded=material/restaurant_menu_rounded.png ec28.codepoint=restaurant_menu_sharp restaurant_menu_sharp=material/restaurant_menu_sharp.png f316.codepoint=restaurant_outlined restaurant_outlined=material/restaurant_outlined.png f0108.codepoint=restaurant_rounded restaurant_rounded=material/restaurant_rounded.png ec29.codepoint=restaurant_sharp restaurant_sharp=material/restaurant_sharp.png e534.codepoint=restore restore=material/restore.png e535.codepoint=restore_from_trash restore_from_trash=material/restore_from_trash.png f317.codepoint=restore_from_trash_outlined restore_from_trash_outlined=material/restore_from_trash_outlined.png f0109.codepoint=restore_from_trash_rounded restore_from_trash_rounded=material/restore_from_trash_rounded.png ec2a.codepoint=restore_from_trash_sharp restore_from_trash_sharp=material/restore_from_trash_sharp.png f318.codepoint=restore_outlined restore_outlined=material/restore_outlined.png e536.codepoint=restore_page restore_page=material/restore_page.png f319.codepoint=restore_page_outlined restore_page_outlined=material/restore_page_outlined.png f010a.codepoint=restore_page_rounded restore_page_rounded=material/restore_page_rounded.png ec2b.codepoint=restore_page_sharp restore_page_sharp=material/restore_page_sharp.png f010b.codepoint=restore_rounded restore_rounded=material/restore_rounded.png ec2c.codepoint=restore_sharp restore_sharp=material/restore_sharp.png e537.codepoint=reviews reviews=material/reviews.png f31a.codepoint=reviews_outlined reviews_outlined=material/reviews_outlined.png f010c.codepoint=reviews_rounded reviews_rounded=material/reviews_rounded.png ec2d.codepoint=reviews_sharp reviews_sharp=material/reviews_sharp.png e538.codepoint=rice_bowl rice_bowl=material/rice_bowl.png f31b.codepoint=rice_bowl_outlined rice_bowl_outlined=material/rice_bowl_outlined.png f010d.codepoint=rice_bowl_rounded rice_bowl_rounded=material/rice_bowl_rounded.png ec2e.codepoint=rice_bowl_sharp rice_bowl_sharp=material/rice_bowl_sharp.png e539.codepoint=ring_volume ring_volume=material/ring_volume.png f31c.codepoint=ring_volume_outlined ring_volume_outlined=material/ring_volume_outlined.png f010e.codepoint=ring_volume_rounded ring_volume_rounded=material/ring_volume_rounded.png ec2f.codepoint=ring_volume_sharp ring_volume_sharp=material/ring_volume_sharp.png f055c.codepoint=rocket rocket=material/rocket.png f055d.codepoint=rocket_launch rocket_launch=material/rocket_launch.png f0653.codepoint=rocket_launch_outlined rocket_launch_outlined=material/rocket_launch_outlined.png f0372.codepoint=rocket_launch_rounded rocket_launch_rounded=material/rocket_launch_rounded.png f0465.codepoint=rocket_launch_sharp rocket_launch_sharp=material/rocket_launch_sharp.png f0654.codepoint=rocket_outlined rocket_outlined=material/rocket_outlined.png f0373.codepoint=rocket_rounded rocket_rounded=material/rocket_rounded.png f0466.codepoint=rocket_sharp rocket_sharp=material/rocket_sharp.png f07bc.codepoint=roller_shades roller_shades=material/roller_shades.png f07bd.codepoint=roller_shades_closed roller_shades_closed=material/roller_shades_closed.png f070c.codepoint=roller_shades_closed_outlined roller_shades_closed_outlined=material/roller_shades_closed_outlined.png f0814.codepoint=roller_shades_closed_rounded roller_shades_closed_rounded=material/roller_shades_closed_rounded.png f0764.codepoint=roller_shades_closed_sharp roller_shades_closed_sharp=material/roller_shades_closed_sharp.png f070d.codepoint=roller_shades_outlined roller_shades_outlined=material/roller_shades_outlined.png f0815.codepoint=roller_shades_rounded roller_shades_rounded=material/roller_shades_rounded.png f0765.codepoint=roller_shades_sharp roller_shades_sharp=material/roller_shades_sharp.png f06c0.codepoint=roller_skating roller_skating=material/roller_skating.png f06a6.codepoint=roller_skating_outlined roller_skating_outlined=material/roller_skating_outlined.png f06cd.codepoint=roller_skating_rounded roller_skating_rounded=material/roller_skating_rounded.png f06b3.codepoint=roller_skating_sharp roller_skating_sharp=material/roller_skating_sharp.png e53a.codepoint=roofing roofing=material/roofing.png f31d.codepoint=roofing_outlined roofing_outlined=material/roofing_outlined.png f010f.codepoint=roofing_rounded roofing_rounded=material/roofing_rounded.png ec30.codepoint=roofing_sharp roofing_sharp=material/roofing_sharp.png e53b.codepoint=room room=material/room.png f31e.codepoint=room_outlined room_outlined=material/room_outlined.png e53c.codepoint=room_preferences room_preferences=material/room_preferences.png f31f.codepoint=room_preferences_outlined room_preferences_outlined=material/room_preferences_outlined.png f0110.codepoint=room_preferences_rounded room_preferences_rounded=material/room_preferences_rounded.png ec31.codepoint=room_preferences_sharp room_preferences_sharp=material/room_preferences_sharp.png f0111.codepoint=room_rounded room_rounded=material/room_rounded.png e53d.codepoint=room_service room_service=material/room_service.png f320.codepoint=room_service_outlined room_service_outlined=material/room_service_outlined.png f0112.codepoint=room_service_rounded room_service_rounded=material/room_service_rounded.png ec32.codepoint=room_service_sharp room_service_sharp=material/room_service_sharp.png ec33.codepoint=room_sharp room_sharp=material/room_sharp.png e53e.codepoint=rotate_90_degrees_ccw rotate_90_degrees_ccw=material/rotate_90_degrees_ccw.png f321.codepoint=rotate_90_degrees_ccw_outlined rotate_90_degrees_ccw_outlined=material/rotate_90_degrees_ccw_outlined.png f0113.codepoint=rotate_90_degrees_ccw_rounded rotate_90_degrees_ccw_rounded=material/rotate_90_degrees_ccw_rounded.png ec34.codepoint=rotate_90_degrees_ccw_sharp rotate_90_degrees_ccw_sharp=material/rotate_90_degrees_ccw_sharp.png f055e.codepoint=rotate_90_degrees_cw rotate_90_degrees_cw=material/rotate_90_degrees_cw.png f0655.codepoint=rotate_90_degrees_cw_outlined rotate_90_degrees_cw_outlined=material/rotate_90_degrees_cw_outlined.png f0374.codepoint=rotate_90_degrees_cw_rounded rotate_90_degrees_cw_rounded=material/rotate_90_degrees_cw_rounded.png f0467.codepoint=rotate_90_degrees_cw_sharp rotate_90_degrees_cw_sharp=material/rotate_90_degrees_cw_sharp.png e53f.codepoint=rotate_left rotate_left=material/rotate_left.png f322.codepoint=rotate_left_outlined rotate_left_outlined=material/rotate_left_outlined.png f0114.codepoint=rotate_left_rounded rotate_left_rounded=material/rotate_left_rounded.png ec35.codepoint=rotate_left_sharp rotate_left_sharp=material/rotate_left_sharp.png e540.codepoint=rotate_right rotate_right=material/rotate_right.png f323.codepoint=rotate_right_outlined rotate_right_outlined=material/rotate_right_outlined.png f0115.codepoint=rotate_right_rounded rotate_right_rounded=material/rotate_right_rounded.png ec36.codepoint=rotate_right_sharp rotate_right_sharp=material/rotate_right_sharp.png f055f.codepoint=roundabout_left roundabout_left=material/roundabout_left.png f0656.codepoint=roundabout_left_outlined roundabout_left_outlined=material/roundabout_left_outlined.png f0375.codepoint=roundabout_left_rounded roundabout_left_rounded=material/roundabout_left_rounded.png f0468.codepoint=roundabout_left_sharp roundabout_left_sharp=material/roundabout_left_sharp.png f0560.codepoint=roundabout_right roundabout_right=material/roundabout_right.png f0657.codepoint=roundabout_right_outlined roundabout_right_outlined=material/roundabout_right_outlined.png f0376.codepoint=roundabout_right_rounded roundabout_right_rounded=material/roundabout_right_rounded.png f0469.codepoint=roundabout_right_sharp roundabout_right_sharp=material/roundabout_right_sharp.png e541.codepoint=rounded_corner rounded_corner=material/rounded_corner.png f324.codepoint=rounded_corner_outlined rounded_corner_outlined=material/rounded_corner_outlined.png f0116.codepoint=rounded_corner_rounded rounded_corner_rounded=material/rounded_corner_rounded.png ec37.codepoint=rounded_corner_sharp rounded_corner_sharp=material/rounded_corner_sharp.png f0561.codepoint=route route=material/route.png f0658.codepoint=route_outlined route_outlined=material/route_outlined.png f0377.codepoint=route_rounded route_rounded=material/route_rounded.png f046a.codepoint=route_sharp route_sharp=material/route_sharp.png e542.codepoint=router router=material/router.png f325.codepoint=router_outlined router_outlined=material/router_outlined.png f0117.codepoint=router_rounded router_rounded=material/router_rounded.png ec38.codepoint=router_sharp router_sharp=material/router_sharp.png e543.codepoint=rowing rowing=material/rowing.png f326.codepoint=rowing_outlined rowing_outlined=material/rowing_outlined.png f0118.codepoint=rowing_rounded rowing_rounded=material/rowing_rounded.png ec39.codepoint=rowing_sharp rowing_sharp=material/rowing_sharp.png e544.codepoint=rss_feed rss_feed=material/rss_feed.png f327.codepoint=rss_feed_outlined rss_feed_outlined=material/rss_feed_outlined.png f0119.codepoint=rss_feed_rounded rss_feed_rounded=material/rss_feed_rounded.png ec3a.codepoint=rss_feed_sharp rss_feed_sharp=material/rss_feed_sharp.png e545.codepoint=rsvp rsvp=material/rsvp.png f328.codepoint=rsvp_outlined rsvp_outlined=material/rsvp_outlined.png f011a.codepoint=rsvp_rounded rsvp_rounded=material/rsvp_rounded.png ec3b.codepoint=rsvp_sharp rsvp_sharp=material/rsvp_sharp.png e546.codepoint=rtt rtt=material/rtt.png f329.codepoint=rtt_outlined rtt_outlined=material/rtt_outlined.png f011b.codepoint=rtt_rounded rtt_rounded=material/rtt_rounded.png ec3c.codepoint=rtt_sharp rtt_sharp=material/rtt_sharp.png e547.codepoint=rule rule=material/rule.png e548.codepoint=rule_folder rule_folder=material/rule_folder.png f32a.codepoint=rule_folder_outlined rule_folder_outlined=material/rule_folder_outlined.png f011c.codepoint=rule_folder_rounded rule_folder_rounded=material/rule_folder_rounded.png ec3d.codepoint=rule_folder_sharp rule_folder_sharp=material/rule_folder_sharp.png f32b.codepoint=rule_outlined rule_outlined=material/rule_outlined.png f011d.codepoint=rule_rounded rule_rounded=material/rule_rounded.png ec3e.codepoint=rule_sharp rule_sharp=material/rule_sharp.png e549.codepoint=run_circle run_circle=material/run_circle.png f32c.codepoint=run_circle_outlined run_circle_outlined=material/run_circle_outlined.png f011e.codepoint=run_circle_rounded run_circle_rounded=material/run_circle_rounded.png ec3f.codepoint=run_circle_sharp run_circle_sharp=material/run_circle_sharp.png e54a.codepoint=running_with_errors running_with_errors=material/running_with_errors.png f32d.codepoint=running_with_errors_outlined running_with_errors_outlined=material/running_with_errors_outlined.png f011f.codepoint=running_with_errors_rounded running_with_errors_rounded=material/running_with_errors_rounded.png ec40.codepoint=running_with_errors_sharp running_with_errors_sharp=material/running_with_errors_sharp.png e54b.codepoint=rv_hookup rv_hookup=material/rv_hookup.png f32e.codepoint=rv_hookup_outlined rv_hookup_outlined=material/rv_hookup_outlined.png f0120.codepoint=rv_hookup_rounded rv_hookup_rounded=material/rv_hookup_rounded.png ec41.codepoint=rv_hookup_sharp rv_hookup_sharp=material/rv_hookup_sharp.png f07be.codepoint=safety_check safety_check=material/safety_check.png f070e.codepoint=safety_check_outlined safety_check_outlined=material/safety_check_outlined.png f0816.codepoint=safety_check_rounded safety_check_rounded=material/safety_check_rounded.png f0766.codepoint=safety_check_sharp safety_check_sharp=material/safety_check_sharp.png e54c.codepoint=safety_divider safety_divider=material/safety_divider.png f32f.codepoint=safety_divider_outlined safety_divider_outlined=material/safety_divider_outlined.png f0121.codepoint=safety_divider_rounded safety_divider_rounded=material/safety_divider_rounded.png ec42.codepoint=safety_divider_sharp safety_divider_sharp=material/safety_divider_sharp.png e54d.codepoint=sailing sailing=material/sailing.png f330.codepoint=sailing_outlined sailing_outlined=material/sailing_outlined.png f0122.codepoint=sailing_rounded sailing_rounded=material/sailing_rounded.png ec43.codepoint=sailing_sharp sailing_sharp=material/sailing_sharp.png e54e.codepoint=sanitizer sanitizer=material/sanitizer.png f331.codepoint=sanitizer_outlined sanitizer_outlined=material/sanitizer_outlined.png f0123.codepoint=sanitizer_rounded sanitizer_rounded=material/sanitizer_rounded.png ec44.codepoint=sanitizer_sharp sanitizer_sharp=material/sanitizer_sharp.png e54f.codepoint=satellite satellite=material/satellite.png f0562.codepoint=satellite_alt satellite_alt=material/satellite_alt.png f0659.codepoint=satellite_alt_outlined satellite_alt_outlined=material/satellite_alt_outlined.png f0378.codepoint=satellite_alt_rounded satellite_alt_rounded=material/satellite_alt_rounded.png f046b.codepoint=satellite_alt_sharp satellite_alt_sharp=material/satellite_alt_sharp.png f332.codepoint=satellite_outlined satellite_outlined=material/satellite_outlined.png f0124.codepoint=satellite_rounded satellite_rounded=material/satellite_rounded.png ec45.codepoint=satellite_sharp satellite_sharp=material/satellite_sharp.png e550.codepoint=save save=material/save.png e551.codepoint=save_alt save_alt=material/save_alt.png f333.codepoint=save_alt_outlined save_alt_outlined=material/save_alt_outlined.png f0125.codepoint=save_alt_rounded save_alt_rounded=material/save_alt_rounded.png ec46.codepoint=save_alt_sharp save_alt_sharp=material/save_alt_sharp.png f0563.codepoint=save_as save_as=material/save_as.png f065a.codepoint=save_as_outlined save_as_outlined=material/save_as_outlined.png f0379.codepoint=save_as_rounded save_as_rounded=material/save_as_rounded.png f046c.codepoint=save_as_sharp save_as_sharp=material/save_as_sharp.png f334.codepoint=save_outlined save_outlined=material/save_outlined.png f0126.codepoint=save_rounded save_rounded=material/save_rounded.png ec47.codepoint=save_sharp save_sharp=material/save_sharp.png e552.codepoint=saved_search saved_search=material/saved_search.png f335.codepoint=saved_search_outlined saved_search_outlined=material/saved_search_outlined.png f0127.codepoint=saved_search_rounded saved_search_rounded=material/saved_search_rounded.png ec48.codepoint=saved_search_sharp saved_search_sharp=material/saved_search_sharp.png e553.codepoint=savings savings=material/savings.png f336.codepoint=savings_outlined savings_outlined=material/savings_outlined.png f0128.codepoint=savings_rounded savings_rounded=material/savings_rounded.png ec49.codepoint=savings_sharp savings_sharp=material/savings_sharp.png f0564.codepoint=scale scale=material/scale.png f065b.codepoint=scale_outlined scale_outlined=material/scale_outlined.png f037a.codepoint=scale_rounded scale_rounded=material/scale_rounded.png f046d.codepoint=scale_sharp scale_sharp=material/scale_sharp.png e554.codepoint=scanner scanner=material/scanner.png f337.codepoint=scanner_outlined scanner_outlined=material/scanner_outlined.png f0129.codepoint=scanner_rounded scanner_rounded=material/scanner_rounded.png ec4a.codepoint=scanner_sharp scanner_sharp=material/scanner_sharp.png e555.codepoint=scatter_plot scatter_plot=material/scatter_plot.png f338.codepoint=scatter_plot_outlined scatter_plot_outlined=material/scatter_plot_outlined.png f012a.codepoint=scatter_plot_rounded scatter_plot_rounded=material/scatter_plot_rounded.png ec4b.codepoint=scatter_plot_sharp scatter_plot_sharp=material/scatter_plot_sharp.png e556.codepoint=schedule schedule=material/schedule.png f339.codepoint=schedule_outlined schedule_outlined=material/schedule_outlined.png f012b.codepoint=schedule_rounded schedule_rounded=material/schedule_rounded.png e557.codepoint=schedule_send schedule_send=material/schedule_send.png f33a.codepoint=schedule_send_outlined schedule_send_outlined=material/schedule_send_outlined.png f012c.codepoint=schedule_send_rounded schedule_send_rounded=material/schedule_send_rounded.png ec4c.codepoint=schedule_send_sharp schedule_send_sharp=material/schedule_send_sharp.png ec4d.codepoint=schedule_sharp schedule_sharp=material/schedule_sharp.png e558.codepoint=schema schema=material/schema.png f33b.codepoint=schema_outlined schema_outlined=material/schema_outlined.png f012d.codepoint=schema_rounded schema_rounded=material/schema_rounded.png ec4e.codepoint=schema_sharp schema_sharp=material/schema_sharp.png e559.codepoint=school school=material/school.png f33c.codepoint=school_outlined school_outlined=material/school_outlined.png f012e.codepoint=school_rounded school_rounded=material/school_rounded.png ec4f.codepoint=school_sharp school_sharp=material/school_sharp.png e55a.codepoint=science science=material/science.png f33d.codepoint=science_outlined science_outlined=material/science_outlined.png f012f.codepoint=science_rounded science_rounded=material/science_rounded.png ec50.codepoint=science_sharp science_sharp=material/science_sharp.png e55b.codepoint=score score=material/score.png f33e.codepoint=score_outlined score_outlined=material/score_outlined.png f0130.codepoint=score_rounded score_rounded=material/score_rounded.png ec51.codepoint=score_sharp score_sharp=material/score_sharp.png f06c1.codepoint=scoreboard scoreboard=material/scoreboard.png f06a7.codepoint=scoreboard_outlined scoreboard_outlined=material/scoreboard_outlined.png f06ce.codepoint=scoreboard_rounded scoreboard_rounded=material/scoreboard_rounded.png f06b4.codepoint=scoreboard_sharp scoreboard_sharp=material/scoreboard_sharp.png e55c.codepoint=screen_lock_landscape screen_lock_landscape=material/screen_lock_landscape.png f33f.codepoint=screen_lock_landscape_outlined screen_lock_landscape_outlined=material/screen_lock_landscape_outlined.png f0131.codepoint=screen_lock_landscape_rounded screen_lock_landscape_rounded=material/screen_lock_landscape_rounded.png ec52.codepoint=screen_lock_landscape_sharp screen_lock_landscape_sharp=material/screen_lock_landscape_sharp.png e55d.codepoint=screen_lock_portrait screen_lock_portrait=material/screen_lock_portrait.png f340.codepoint=screen_lock_portrait_outlined screen_lock_portrait_outlined=material/screen_lock_portrait_outlined.png f0132.codepoint=screen_lock_portrait_rounded screen_lock_portrait_rounded=material/screen_lock_portrait_rounded.png ec53.codepoint=screen_lock_portrait_sharp screen_lock_portrait_sharp=material/screen_lock_portrait_sharp.png e55e.codepoint=screen_lock_rotation screen_lock_rotation=material/screen_lock_rotation.png f341.codepoint=screen_lock_rotation_outlined screen_lock_rotation_outlined=material/screen_lock_rotation_outlined.png f0133.codepoint=screen_lock_rotation_rounded screen_lock_rotation_rounded=material/screen_lock_rotation_rounded.png ec54.codepoint=screen_lock_rotation_sharp screen_lock_rotation_sharp=material/screen_lock_rotation_sharp.png e55f.codepoint=screen_rotation screen_rotation=material/screen_rotation.png f07bf.codepoint=screen_rotation_alt screen_rotation_alt=material/screen_rotation_alt.png f070f.codepoint=screen_rotation_alt_outlined screen_rotation_alt_outlined=material/screen_rotation_alt_outlined.png f0817.codepoint=screen_rotation_alt_rounded screen_rotation_alt_rounded=material/screen_rotation_alt_rounded.png f0767.codepoint=screen_rotation_alt_sharp screen_rotation_alt_sharp=material/screen_rotation_alt_sharp.png f342.codepoint=screen_rotation_outlined screen_rotation_outlined=material/screen_rotation_outlined.png f0134.codepoint=screen_rotation_rounded screen_rotation_rounded=material/screen_rotation_rounded.png ec55.codepoint=screen_rotation_sharp screen_rotation_sharp=material/screen_rotation_sharp.png e560.codepoint=screen_search_desktop screen_search_desktop=material/screen_search_desktop.png f343.codepoint=screen_search_desktop_outlined screen_search_desktop_outlined=material/screen_search_desktop_outlined.png f0135.codepoint=screen_search_desktop_rounded screen_search_desktop_rounded=material/screen_search_desktop_rounded.png ec56.codepoint=screen_search_desktop_sharp screen_search_desktop_sharp=material/screen_search_desktop_sharp.png e561.codepoint=screen_share screen_share=material/screen_share.png f344.codepoint=screen_share_outlined screen_share_outlined=material/screen_share_outlined.png f0136.codepoint=screen_share_rounded screen_share_rounded=material/screen_share_rounded.png ec57.codepoint=screen_share_sharp screen_share_sharp=material/screen_share_sharp.png e562.codepoint=screenshot screenshot=material/screenshot.png f07c0.codepoint=screenshot_monitor screenshot_monitor=material/screenshot_monitor.png f0710.codepoint=screenshot_monitor_outlined screenshot_monitor_outlined=material/screenshot_monitor_outlined.png f0818.codepoint=screenshot_monitor_rounded screenshot_monitor_rounded=material/screenshot_monitor_rounded.png f0768.codepoint=screenshot_monitor_sharp screenshot_monitor_sharp=material/screenshot_monitor_sharp.png f345.codepoint=screenshot_outlined screenshot_outlined=material/screenshot_outlined.png f0137.codepoint=screenshot_rounded screenshot_rounded=material/screenshot_rounded.png ec58.codepoint=screenshot_sharp screenshot_sharp=material/screenshot_sharp.png f06c2.codepoint=scuba_diving scuba_diving=material/scuba_diving.png f06a8.codepoint=scuba_diving_outlined scuba_diving_outlined=material/scuba_diving_outlined.png f06cf.codepoint=scuba_diving_rounded scuba_diving_rounded=material/scuba_diving_rounded.png f06b5.codepoint=scuba_diving_sharp scuba_diving_sharp=material/scuba_diving_sharp.png e563.codepoint=sd sd=material/sd.png e564.codepoint=sd_card sd_card=material/sd_card.png e565.codepoint=sd_card_alert sd_card_alert=material/sd_card_alert.png f346.codepoint=sd_card_alert_outlined sd_card_alert_outlined=material/sd_card_alert_outlined.png f0138.codepoint=sd_card_alert_rounded sd_card_alert_rounded=material/sd_card_alert_rounded.png ec59.codepoint=sd_card_alert_sharp sd_card_alert_sharp=material/sd_card_alert_sharp.png f347.codepoint=sd_card_outlined sd_card_outlined=material/sd_card_outlined.png f0139.codepoint=sd_card_rounded sd_card_rounded=material/sd_card_rounded.png ec5a.codepoint=sd_card_sharp sd_card_sharp=material/sd_card_sharp.png f348.codepoint=sd_outlined sd_outlined=material/sd_outlined.png f013a.codepoint=sd_rounded sd_rounded=material/sd_rounded.png ec5b.codepoint=sd_sharp sd_sharp=material/sd_sharp.png e566.codepoint=sd_storage sd_storage=material/sd_storage.png f349.codepoint=sd_storage_outlined sd_storage_outlined=material/sd_storage_outlined.png f013b.codepoint=sd_storage_rounded sd_storage_rounded=material/sd_storage_rounded.png ec5c.codepoint=sd_storage_sharp sd_storage_sharp=material/sd_storage_sharp.png e567.codepoint=search search=material/search.png e568.codepoint=search_off search_off=material/search_off.png f34a.codepoint=search_off_outlined search_off_outlined=material/search_off_outlined.png f013c.codepoint=search_off_rounded search_off_rounded=material/search_off_rounded.png ec5d.codepoint=search_off_sharp search_off_sharp=material/search_off_sharp.png f34b.codepoint=search_outlined search_outlined=material/search_outlined.png f013d.codepoint=search_rounded search_rounded=material/search_rounded.png ec5e.codepoint=search_sharp search_sharp=material/search_sharp.png e569.codepoint=security security=material/security.png f34c.codepoint=security_outlined security_outlined=material/security_outlined.png f013e.codepoint=security_rounded security_rounded=material/security_rounded.png ec5f.codepoint=security_sharp security_sharp=material/security_sharp.png e56a.codepoint=security_update security_update=material/security_update.png e56b.codepoint=security_update_good security_update_good=material/security_update_good.png f34d.codepoint=security_update_good_outlined security_update_good_outlined=material/security_update_good_outlined.png f013f.codepoint=security_update_good_rounded security_update_good_rounded=material/security_update_good_rounded.png ec60.codepoint=security_update_good_sharp security_update_good_sharp=material/security_update_good_sharp.png f34e.codepoint=security_update_outlined security_update_outlined=material/security_update_outlined.png f0140.codepoint=security_update_rounded security_update_rounded=material/security_update_rounded.png ec61.codepoint=security_update_sharp security_update_sharp=material/security_update_sharp.png e56c.codepoint=security_update_warning security_update_warning=material/security_update_warning.png f34f.codepoint=security_update_warning_outlined security_update_warning_outlined=material/security_update_warning_outlined.png f0141.codepoint=security_update_warning_rounded security_update_warning_rounded=material/security_update_warning_rounded.png ec62.codepoint=security_update_warning_sharp security_update_warning_sharp=material/security_update_warning_sharp.png e56d.codepoint=segment segment=material/segment.png f350.codepoint=segment_outlined segment_outlined=material/segment_outlined.png f0142.codepoint=segment_rounded segment_rounded=material/segment_rounded.png ec63.codepoint=segment_sharp segment_sharp=material/segment_sharp.png e56e.codepoint=select_all select_all=material/select_all.png f351.codepoint=select_all_outlined select_all_outlined=material/select_all_outlined.png f0143.codepoint=select_all_rounded select_all_rounded=material/select_all_rounded.png ec64.codepoint=select_all_sharp select_all_sharp=material/select_all_sharp.png e56f.codepoint=self_improvement self_improvement=material/self_improvement.png f352.codepoint=self_improvement_outlined self_improvement_outlined=material/self_improvement_outlined.png f0144.codepoint=self_improvement_rounded self_improvement_rounded=material/self_improvement_rounded.png ec65.codepoint=self_improvement_sharp self_improvement_sharp=material/self_improvement_sharp.png e570.codepoint=sell sell=material/sell.png f353.codepoint=sell_outlined sell_outlined=material/sell_outlined.png f0145.codepoint=sell_rounded sell_rounded=material/sell_rounded.png ec66.codepoint=sell_sharp sell_sharp=material/sell_sharp.png e571.codepoint=send send=material/send.png e572.codepoint=send_and_archive send_and_archive=material/send_and_archive.png f354.codepoint=send_and_archive_outlined send_and_archive_outlined=material/send_and_archive_outlined.png f0146.codepoint=send_and_archive_rounded send_and_archive_rounded=material/send_and_archive_rounded.png ec67.codepoint=send_and_archive_sharp send_and_archive_sharp=material/send_and_archive_sharp.png f355.codepoint=send_outlined send_outlined=material/send_outlined.png f0147.codepoint=send_rounded send_rounded=material/send_rounded.png ec68.codepoint=send_sharp send_sharp=material/send_sharp.png f0565.codepoint=send_time_extension send_time_extension=material/send_time_extension.png f065c.codepoint=send_time_extension_outlined send_time_extension_outlined=material/send_time_extension_outlined.png f037b.codepoint=send_time_extension_rounded send_time_extension_rounded=material/send_time_extension_rounded.png f046e.codepoint=send_time_extension_sharp send_time_extension_sharp=material/send_time_extension_sharp.png e573.codepoint=send_to_mobile send_to_mobile=material/send_to_mobile.png f356.codepoint=send_to_mobile_outlined send_to_mobile_outlined=material/send_to_mobile_outlined.png f0148.codepoint=send_to_mobile_rounded send_to_mobile_rounded=material/send_to_mobile_rounded.png ec69.codepoint=send_to_mobile_sharp send_to_mobile_sharp=material/send_to_mobile_sharp.png e574.codepoint=sensor_door sensor_door=material/sensor_door.png f357.codepoint=sensor_door_outlined sensor_door_outlined=material/sensor_door_outlined.png f0149.codepoint=sensor_door_rounded sensor_door_rounded=material/sensor_door_rounded.png ec6a.codepoint=sensor_door_sharp sensor_door_sharp=material/sensor_door_sharp.png f07c1.codepoint=sensor_occupied sensor_occupied=material/sensor_occupied.png f0711.codepoint=sensor_occupied_outlined sensor_occupied_outlined=material/sensor_occupied_outlined.png f0819.codepoint=sensor_occupied_rounded sensor_occupied_rounded=material/sensor_occupied_rounded.png f0769.codepoint=sensor_occupied_sharp sensor_occupied_sharp=material/sensor_occupied_sharp.png e575.codepoint=sensor_window sensor_window=material/sensor_window.png f358.codepoint=sensor_window_outlined sensor_window_outlined=material/sensor_window_outlined.png f014a.codepoint=sensor_window_rounded sensor_window_rounded=material/sensor_window_rounded.png ec6b.codepoint=sensor_window_sharp sensor_window_sharp=material/sensor_window_sharp.png e576.codepoint=sensors sensors=material/sensors.png e577.codepoint=sensors_off sensors_off=material/sensors_off.png f359.codepoint=sensors_off_outlined sensors_off_outlined=material/sensors_off_outlined.png f014b.codepoint=sensors_off_rounded sensors_off_rounded=material/sensors_off_rounded.png ec6c.codepoint=sensors_off_sharp sensors_off_sharp=material/sensors_off_sharp.png f35a.codepoint=sensors_outlined sensors_outlined=material/sensors_outlined.png f014c.codepoint=sensors_rounded sensors_rounded=material/sensors_rounded.png ec6d.codepoint=sensors_sharp sensors_sharp=material/sensors_sharp.png e578.codepoint=sentiment_dissatisfied sentiment_dissatisfied=material/sentiment_dissatisfied.png f35b.codepoint=sentiment_dissatisfied_outlined sentiment_dissatisfied_outlined=material/sentiment_dissatisfied_outlined.png f014d.codepoint=sentiment_dissatisfied_rounded sentiment_dissatisfied_rounded=material/sentiment_dissatisfied_rounded.png ec6e.codepoint=sentiment_dissatisfied_sharp sentiment_dissatisfied_sharp=material/sentiment_dissatisfied_sharp.png e579.codepoint=sentiment_neutral sentiment_neutral=material/sentiment_neutral.png f35c.codepoint=sentiment_neutral_outlined sentiment_neutral_outlined=material/sentiment_neutral_outlined.png f014e.codepoint=sentiment_neutral_rounded sentiment_neutral_rounded=material/sentiment_neutral_rounded.png ec6f.codepoint=sentiment_neutral_sharp sentiment_neutral_sharp=material/sentiment_neutral_sharp.png e57a.codepoint=sentiment_satisfied sentiment_satisfied=material/sentiment_satisfied.png e57b.codepoint=sentiment_satisfied_alt sentiment_satisfied_alt=material/sentiment_satisfied_alt.png f35d.codepoint=sentiment_satisfied_alt_outlined sentiment_satisfied_alt_outlined=material/sentiment_satisfied_alt_outlined.png f014f.codepoint=sentiment_satisfied_alt_rounded sentiment_satisfied_alt_rounded=material/sentiment_satisfied_alt_rounded.png ec70.codepoint=sentiment_satisfied_alt_sharp sentiment_satisfied_alt_sharp=material/sentiment_satisfied_alt_sharp.png f35e.codepoint=sentiment_satisfied_outlined sentiment_satisfied_outlined=material/sentiment_satisfied_outlined.png f0150.codepoint=sentiment_satisfied_rounded sentiment_satisfied_rounded=material/sentiment_satisfied_rounded.png ec71.codepoint=sentiment_satisfied_sharp sentiment_satisfied_sharp=material/sentiment_satisfied_sharp.png e57c.codepoint=sentiment_very_dissatisfied sentiment_very_dissatisfied=material/sentiment_very_dissatisfied.png f35f.codepoint=sentiment_very_dissatisfied_outlined sentiment_very_dissatisfied_outlined=material/sentiment_very_dissatisfied_outlined.png f0151.codepoint=sentiment_very_dissatisfied_rounded sentiment_very_dissatisfied_rounded=material/sentiment_very_dissatisfied_rounded.png ec72.codepoint=sentiment_very_dissatisfied_sharp sentiment_very_dissatisfied_sharp=material/sentiment_very_dissatisfied_sharp.png e57d.codepoint=sentiment_very_satisfied sentiment_very_satisfied=material/sentiment_very_satisfied.png f360.codepoint=sentiment_very_satisfied_outlined sentiment_very_satisfied_outlined=material/sentiment_very_satisfied_outlined.png f0152.codepoint=sentiment_very_satisfied_rounded sentiment_very_satisfied_rounded=material/sentiment_very_satisfied_rounded.png ec73.codepoint=sentiment_very_satisfied_sharp sentiment_very_satisfied_sharp=material/sentiment_very_satisfied_sharp.png e57e.codepoint=set_meal set_meal=material/set_meal.png f361.codepoint=set_meal_outlined set_meal_outlined=material/set_meal_outlined.png f0153.codepoint=set_meal_rounded set_meal_rounded=material/set_meal_rounded.png ec74.codepoint=set_meal_sharp set_meal_sharp=material/set_meal_sharp.png e57f.codepoint=settings settings=material/settings.png e580.codepoint=settings_accessibility settings_accessibility=material/settings_accessibility.png f362.codepoint=settings_accessibility_outlined settings_accessibility_outlined=material/settings_accessibility_outlined.png f0154.codepoint=settings_accessibility_rounded settings_accessibility_rounded=material/settings_accessibility_rounded.png ec75.codepoint=settings_accessibility_sharp settings_accessibility_sharp=material/settings_accessibility_sharp.png e581.codepoint=settings_applications settings_applications=material/settings_applications.png f363.codepoint=settings_applications_outlined settings_applications_outlined=material/settings_applications_outlined.png f0155.codepoint=settings_applications_rounded settings_applications_rounded=material/settings_applications_rounded.png ec76.codepoint=settings_applications_sharp settings_applications_sharp=material/settings_applications_sharp.png e582.codepoint=settings_backup_restore settings_backup_restore=material/settings_backup_restore.png f364.codepoint=settings_backup_restore_outlined settings_backup_restore_outlined=material/settings_backup_restore_outlined.png f0156.codepoint=settings_backup_restore_rounded settings_backup_restore_rounded=material/settings_backup_restore_rounded.png ec77.codepoint=settings_backup_restore_sharp settings_backup_restore_sharp=material/settings_backup_restore_sharp.png e583.codepoint=settings_bluetooth settings_bluetooth=material/settings_bluetooth.png f365.codepoint=settings_bluetooth_outlined settings_bluetooth_outlined=material/settings_bluetooth_outlined.png f0157.codepoint=settings_bluetooth_rounded settings_bluetooth_rounded=material/settings_bluetooth_rounded.png ec78.codepoint=settings_bluetooth_sharp settings_bluetooth_sharp=material/settings_bluetooth_sharp.png e584.codepoint=settings_brightness settings_brightness=material/settings_brightness.png f366.codepoint=settings_brightness_outlined settings_brightness_outlined=material/settings_brightness_outlined.png f0158.codepoint=settings_brightness_rounded settings_brightness_rounded=material/settings_brightness_rounded.png ec79.codepoint=settings_brightness_sharp settings_brightness_sharp=material/settings_brightness_sharp.png e585.codepoint=settings_cell settings_cell=material/settings_cell.png f367.codepoint=settings_cell_outlined settings_cell_outlined=material/settings_cell_outlined.png f0159.codepoint=settings_cell_rounded settings_cell_rounded=material/settings_cell_rounded.png ec7a.codepoint=settings_cell_sharp settings_cell_sharp=material/settings_cell_sharp.png # e584.codepoint=settings_display settings_display=material/settings_display.png # f366.codepoint=settings_display_outlined settings_display_outlined=material/settings_display_outlined.png # f0158.codepoint=settings_display_rounded settings_display_rounded=material/settings_display_rounded.png # ec79.codepoint=settings_display_sharp settings_display_sharp=material/settings_display_sharp.png e586.codepoint=settings_ethernet settings_ethernet=material/settings_ethernet.png f368.codepoint=settings_ethernet_outlined settings_ethernet_outlined=material/settings_ethernet_outlined.png f015a.codepoint=settings_ethernet_rounded settings_ethernet_rounded=material/settings_ethernet_rounded.png ec7b.codepoint=settings_ethernet_sharp settings_ethernet_sharp=material/settings_ethernet_sharp.png e587.codepoint=settings_input_antenna settings_input_antenna=material/settings_input_antenna.png f369.codepoint=settings_input_antenna_outlined settings_input_antenna_outlined=material/settings_input_antenna_outlined.png f015b.codepoint=settings_input_antenna_rounded settings_input_antenna_rounded=material/settings_input_antenna_rounded.png ec7c.codepoint=settings_input_antenna_sharp settings_input_antenna_sharp=material/settings_input_antenna_sharp.png e588.codepoint=settings_input_component settings_input_component=material/settings_input_component.png f36a.codepoint=settings_input_component_outlined settings_input_component_outlined=material/settings_input_component_outlined.png f015c.codepoint=settings_input_component_rounded settings_input_component_rounded=material/settings_input_component_rounded.png ec7d.codepoint=settings_input_component_sharp settings_input_component_sharp=material/settings_input_component_sharp.png e589.codepoint=settings_input_composite settings_input_composite=material/settings_input_composite.png f36b.codepoint=settings_input_composite_outlined settings_input_composite_outlined=material/settings_input_composite_outlined.png f015d.codepoint=settings_input_composite_rounded settings_input_composite_rounded=material/settings_input_composite_rounded.png ec7e.codepoint=settings_input_composite_sharp settings_input_composite_sharp=material/settings_input_composite_sharp.png e58a.codepoint=settings_input_hdmi settings_input_hdmi=material/settings_input_hdmi.png f36c.codepoint=settings_input_hdmi_outlined settings_input_hdmi_outlined=material/settings_input_hdmi_outlined.png f015e.codepoint=settings_input_hdmi_rounded settings_input_hdmi_rounded=material/settings_input_hdmi_rounded.png ec7f.codepoint=settings_input_hdmi_sharp settings_input_hdmi_sharp=material/settings_input_hdmi_sharp.png e58b.codepoint=settings_input_svideo settings_input_svideo=material/settings_input_svideo.png f36d.codepoint=settings_input_svideo_outlined settings_input_svideo_outlined=material/settings_input_svideo_outlined.png f015f.codepoint=settings_input_svideo_rounded settings_input_svideo_rounded=material/settings_input_svideo_rounded.png ec80.codepoint=settings_input_svideo_sharp settings_input_svideo_sharp=material/settings_input_svideo_sharp.png f36e.codepoint=settings_outlined settings_outlined=material/settings_outlined.png e58c.codepoint=settings_overscan settings_overscan=material/settings_overscan.png f36f.codepoint=settings_overscan_outlined settings_overscan_outlined=material/settings_overscan_outlined.png f0160.codepoint=settings_overscan_rounded settings_overscan_rounded=material/settings_overscan_rounded.png ec81.codepoint=settings_overscan_sharp settings_overscan_sharp=material/settings_overscan_sharp.png e58d.codepoint=settings_phone settings_phone=material/settings_phone.png f370.codepoint=settings_phone_outlined settings_phone_outlined=material/settings_phone_outlined.png f0161.codepoint=settings_phone_rounded settings_phone_rounded=material/settings_phone_rounded.png ec82.codepoint=settings_phone_sharp settings_phone_sharp=material/settings_phone_sharp.png e58e.codepoint=settings_power settings_power=material/settings_power.png f371.codepoint=settings_power_outlined settings_power_outlined=material/settings_power_outlined.png f0162.codepoint=settings_power_rounded settings_power_rounded=material/settings_power_rounded.png ec83.codepoint=settings_power_sharp settings_power_sharp=material/settings_power_sharp.png e58f.codepoint=settings_remote settings_remote=material/settings_remote.png f372.codepoint=settings_remote_outlined settings_remote_outlined=material/settings_remote_outlined.png f0163.codepoint=settings_remote_rounded settings_remote_rounded=material/settings_remote_rounded.png ec84.codepoint=settings_remote_sharp settings_remote_sharp=material/settings_remote_sharp.png f0164.codepoint=settings_rounded settings_rounded=material/settings_rounded.png ec85.codepoint=settings_sharp settings_sharp=material/settings_sharp.png e590.codepoint=settings_suggest settings_suggest=material/settings_suggest.png f373.codepoint=settings_suggest_outlined settings_suggest_outlined=material/settings_suggest_outlined.png f0165.codepoint=settings_suggest_rounded settings_suggest_rounded=material/settings_suggest_rounded.png ec86.codepoint=settings_suggest_sharp settings_suggest_sharp=material/settings_suggest_sharp.png e591.codepoint=settings_system_daydream settings_system_daydream=material/settings_system_daydream.png f374.codepoint=settings_system_daydream_outlined settings_system_daydream_outlined=material/settings_system_daydream_outlined.png f0166.codepoint=settings_system_daydream_rounded settings_system_daydream_rounded=material/settings_system_daydream_rounded.png ec87.codepoint=settings_system_daydream_sharp settings_system_daydream_sharp=material/settings_system_daydream_sharp.png e592.codepoint=settings_voice settings_voice=material/settings_voice.png f375.codepoint=settings_voice_outlined settings_voice_outlined=material/settings_voice_outlined.png f0167.codepoint=settings_voice_rounded settings_voice_rounded=material/settings_voice_rounded.png ec88.codepoint=settings_voice_sharp settings_voice_sharp=material/settings_voice_sharp.png e02e.codepoint=seven_k seven_k=material/seven_k.png ee20.codepoint=seven_k_outlined seven_k_outlined=material/seven_k_outlined.png e02f.codepoint=seven_k_plus seven_k_plus=material/seven_k_plus.png ee21.codepoint=seven_k_plus_outlined seven_k_plus_outlined=material/seven_k_plus_outlined.png f50d.codepoint=seven_k_plus_rounded seven_k_plus_rounded=material/seven_k_plus_rounded.png e72e.codepoint=seven_k_plus_sharp seven_k_plus_sharp=material/seven_k_plus_sharp.png f50e.codepoint=seven_k_rounded seven_k_rounded=material/seven_k_rounded.png e72f.codepoint=seven_k_sharp seven_k_sharp=material/seven_k_sharp.png e030.codepoint=seven_mp seven_mp=material/seven_mp.png ee22.codepoint=seven_mp_outlined seven_mp_outlined=material/seven_mp_outlined.png f50f.codepoint=seven_mp_rounded seven_mp_rounded=material/seven_mp_rounded.png e730.codepoint=seven_mp_sharp seven_mp_sharp=material/seven_mp_sharp.png e008.codepoint=seventeen_mp seventeen_mp=material/seventeen_mp.png edfa.codepoint=seventeen_mp_outlined seventeen_mp_outlined=material/seventeen_mp_outlined.png f4e7.codepoint=seventeen_mp_rounded seventeen_mp_rounded=material/seventeen_mp_rounded.png e708.codepoint=seventeen_mp_sharp seventeen_mp_sharp=material/seventeen_mp_sharp.png f07c2.codepoint=severe_cold severe_cold=material/severe_cold.png f0712.codepoint=severe_cold_outlined severe_cold_outlined=material/severe_cold_outlined.png f081a.codepoint=severe_cold_rounded severe_cold_rounded=material/severe_cold_rounded.png f076a.codepoint=severe_cold_sharp severe_cold_sharp=material/severe_cold_sharp.png e593.codepoint=share share=material/share.png e594.codepoint=share_arrival_time share_arrival_time=material/share_arrival_time.png f376.codepoint=share_arrival_time_outlined share_arrival_time_outlined=material/share_arrival_time_outlined.png f0168.codepoint=share_arrival_time_rounded share_arrival_time_rounded=material/share_arrival_time_rounded.png ec89.codepoint=share_arrival_time_sharp share_arrival_time_sharp=material/share_arrival_time_sharp.png e595.codepoint=share_location share_location=material/share_location.png f377.codepoint=share_location_outlined share_location_outlined=material/share_location_outlined.png f0169.codepoint=share_location_rounded share_location_rounded=material/share_location_rounded.png ec8a.codepoint=share_location_sharp share_location_sharp=material/share_location_sharp.png f378.codepoint=share_outlined share_outlined=material/share_outlined.png f016a.codepoint=share_rounded share_rounded=material/share_rounded.png ec8b.codepoint=share_sharp share_sharp=material/share_sharp.png e596.codepoint=shield shield=material/shield.png f0566.codepoint=shield_moon shield_moon=material/shield_moon.png f065d.codepoint=shield_moon_outlined shield_moon_outlined=material/shield_moon_outlined.png f037c.codepoint=shield_moon_rounded shield_moon_rounded=material/shield_moon_rounded.png f046f.codepoint=shield_moon_sharp shield_moon_sharp=material/shield_moon_sharp.png f379.codepoint=shield_outlined shield_outlined=material/shield_outlined.png f016b.codepoint=shield_rounded shield_rounded=material/shield_rounded.png ec8c.codepoint=shield_sharp shield_sharp=material/shield_sharp.png e597.codepoint=shop shop=material/shop.png e598.codepoint=shop_2 shop_2=material/shop_2.png f37a.codepoint=shop_2_outlined shop_2_outlined=material/shop_2_outlined.png f016c.codepoint=shop_2_rounded shop_2_rounded=material/shop_2_rounded.png ec8d.codepoint=shop_2_sharp shop_2_sharp=material/shop_2_sharp.png f37b.codepoint=shop_outlined shop_outlined=material/shop_outlined.png f016d.codepoint=shop_rounded shop_rounded=material/shop_rounded.png ec8e.codepoint=shop_sharp shop_sharp=material/shop_sharp.png e599.codepoint=shop_two shop_two=material/shop_two.png f37c.codepoint=shop_two_outlined shop_two_outlined=material/shop_two_outlined.png f016e.codepoint=shop_two_rounded shop_two_rounded=material/shop_two_rounded.png ec8f.codepoint=shop_two_sharp shop_two_sharp=material/shop_two_sharp.png f0567.codepoint=shopify shopify=material/shopify.png f065e.codepoint=shopify_outlined shopify_outlined=material/shopify_outlined.png f037d.codepoint=shopify_rounded shopify_rounded=material/shopify_rounded.png f0470.codepoint=shopify_sharp shopify_sharp=material/shopify_sharp.png e59a.codepoint=shopping_bag shopping_bag=material/shopping_bag.png f37d.codepoint=shopping_bag_outlined shopping_bag_outlined=material/shopping_bag_outlined.png f016f.codepoint=shopping_bag_rounded shopping_bag_rounded=material/shopping_bag_rounded.png ec90.codepoint=shopping_bag_sharp shopping_bag_sharp=material/shopping_bag_sharp.png e59b.codepoint=shopping_basket shopping_basket=material/shopping_basket.png f37e.codepoint=shopping_basket_outlined shopping_basket_outlined=material/shopping_basket_outlined.png f0170.codepoint=shopping_basket_rounded shopping_basket_rounded=material/shopping_basket_rounded.png ec91.codepoint=shopping_basket_sharp shopping_basket_sharp=material/shopping_basket_sharp.png e59c.codepoint=shopping_cart shopping_cart=material/shopping_cart.png f0568.codepoint=shopping_cart_checkout shopping_cart_checkout=material/shopping_cart_checkout.png f065f.codepoint=shopping_cart_checkout_outlined shopping_cart_checkout_outlined=material/shopping_cart_checkout_outlined.png f037e.codepoint=shopping_cart_checkout_rounded shopping_cart_checkout_rounded=material/shopping_cart_checkout_rounded.png f0471.codepoint=shopping_cart_checkout_sharp shopping_cart_checkout_sharp=material/shopping_cart_checkout_sharp.png f37f.codepoint=shopping_cart_outlined shopping_cart_outlined=material/shopping_cart_outlined.png f0171.codepoint=shopping_cart_rounded shopping_cart_rounded=material/shopping_cart_rounded.png ec92.codepoint=shopping_cart_sharp shopping_cart_sharp=material/shopping_cart_sharp.png e59d.codepoint=short_text short_text=material/short_text.png f380.codepoint=short_text_outlined short_text_outlined=material/short_text_outlined.png f0172.codepoint=short_text_rounded short_text_rounded=material/short_text_rounded.png ec93.codepoint=short_text_sharp short_text_sharp=material/short_text_sharp.png e59e.codepoint=shortcut shortcut=material/shortcut.png f381.codepoint=shortcut_outlined shortcut_outlined=material/shortcut_outlined.png f0173.codepoint=shortcut_rounded shortcut_rounded=material/shortcut_rounded.png ec94.codepoint=shortcut_sharp shortcut_sharp=material/shortcut_sharp.png e59f.codepoint=show_chart show_chart=material/show_chart.png f382.codepoint=show_chart_outlined show_chart_outlined=material/show_chart_outlined.png f0174.codepoint=show_chart_rounded show_chart_rounded=material/show_chart_rounded.png ec95.codepoint=show_chart_sharp show_chart_sharp=material/show_chart_sharp.png e5a0.codepoint=shower shower=material/shower.png f383.codepoint=shower_outlined shower_outlined=material/shower_outlined.png f0175.codepoint=shower_rounded shower_rounded=material/shower_rounded.png ec96.codepoint=shower_sharp shower_sharp=material/shower_sharp.png e5a1.codepoint=shuffle shuffle=material/shuffle.png e5a2.codepoint=shuffle_on shuffle_on=material/shuffle_on.png f384.codepoint=shuffle_on_outlined shuffle_on_outlined=material/shuffle_on_outlined.png f0176.codepoint=shuffle_on_rounded shuffle_on_rounded=material/shuffle_on_rounded.png ec97.codepoint=shuffle_on_sharp shuffle_on_sharp=material/shuffle_on_sharp.png f385.codepoint=shuffle_outlined shuffle_outlined=material/shuffle_outlined.png f0177.codepoint=shuffle_rounded shuffle_rounded=material/shuffle_rounded.png ec98.codepoint=shuffle_sharp shuffle_sharp=material/shuffle_sharp.png e5a3.codepoint=shutter_speed shutter_speed=material/shutter_speed.png f386.codepoint=shutter_speed_outlined shutter_speed_outlined=material/shutter_speed_outlined.png f0178.codepoint=shutter_speed_rounded shutter_speed_rounded=material/shutter_speed_rounded.png ec99.codepoint=shutter_speed_sharp shutter_speed_sharp=material/shutter_speed_sharp.png e5a4.codepoint=sick sick=material/sick.png f387.codepoint=sick_outlined sick_outlined=material/sick_outlined.png f0179.codepoint=sick_rounded sick_rounded=material/sick_rounded.png ec9a.codepoint=sick_sharp sick_sharp=material/sick_sharp.png f07c3.codepoint=sign_language sign_language=material/sign_language.png f0713.codepoint=sign_language_outlined sign_language_outlined=material/sign_language_outlined.png f081b.codepoint=sign_language_rounded sign_language_rounded=material/sign_language_rounded.png f076b.codepoint=sign_language_sharp sign_language_sharp=material/sign_language_sharp.png e5a5.codepoint=signal_cellular_0_bar signal_cellular_0_bar=material/signal_cellular_0_bar.png f388.codepoint=signal_cellular_0_bar_outlined signal_cellular_0_bar_outlined=material/signal_cellular_0_bar_outlined.png f017a.codepoint=signal_cellular_0_bar_rounded signal_cellular_0_bar_rounded=material/signal_cellular_0_bar_rounded.png ec9b.codepoint=signal_cellular_0_bar_sharp signal_cellular_0_bar_sharp=material/signal_cellular_0_bar_sharp.png e5a6.codepoint=signal_cellular_4_bar signal_cellular_4_bar=material/signal_cellular_4_bar.png f389.codepoint=signal_cellular_4_bar_outlined signal_cellular_4_bar_outlined=material/signal_cellular_4_bar_outlined.png f017b.codepoint=signal_cellular_4_bar_rounded signal_cellular_4_bar_rounded=material/signal_cellular_4_bar_rounded.png ec9c.codepoint=signal_cellular_4_bar_sharp signal_cellular_4_bar_sharp=material/signal_cellular_4_bar_sharp.png e5a7.codepoint=signal_cellular_alt signal_cellular_alt=material/signal_cellular_alt.png f07c4.codepoint=signal_cellular_alt_1_bar signal_cellular_alt_1_bar=material/signal_cellular_alt_1_bar.png f0714.codepoint=signal_cellular_alt_1_bar_outlined signal_cellular_alt_1_bar_outlined=material/signal_cellular_alt_1_bar_outlined.png f081c.codepoint=signal_cellular_alt_1_bar_rounded signal_cellular_alt_1_bar_rounded=material/signal_cellular_alt_1_bar_rounded.png f076c.codepoint=signal_cellular_alt_1_bar_sharp signal_cellular_alt_1_bar_sharp=material/signal_cellular_alt_1_bar_sharp.png f07c5.codepoint=signal_cellular_alt_2_bar signal_cellular_alt_2_bar=material/signal_cellular_alt_2_bar.png f0715.codepoint=signal_cellular_alt_2_bar_outlined signal_cellular_alt_2_bar_outlined=material/signal_cellular_alt_2_bar_outlined.png f081d.codepoint=signal_cellular_alt_2_bar_rounded signal_cellular_alt_2_bar_rounded=material/signal_cellular_alt_2_bar_rounded.png f076d.codepoint=signal_cellular_alt_2_bar_sharp signal_cellular_alt_2_bar_sharp=material/signal_cellular_alt_2_bar_sharp.png f38a.codepoint=signal_cellular_alt_outlined signal_cellular_alt_outlined=material/signal_cellular_alt_outlined.png f017c.codepoint=signal_cellular_alt_rounded signal_cellular_alt_rounded=material/signal_cellular_alt_rounded.png ec9d.codepoint=signal_cellular_alt_sharp signal_cellular_alt_sharp=material/signal_cellular_alt_sharp.png e5a8.codepoint=signal_cellular_connected_no_internet_0_bar signal_cellular_connected_no_internet_0_bar=material/signal_cellular_connected_no_internet_0_bar.png f38b.codepoint=signal_cellular_connected_no_internet_0_bar_outlined signal_cellular_connected_no_internet_0_bar_outlined=material/signal_cellular_connected_no_internet_0_bar_outlined.png f017d.codepoint=signal_cellular_connected_no_internet_0_bar_rounded signal_cellular_connected_no_internet_0_bar_rounded=material/signal_cellular_connected_no_internet_0_bar_rounded.png ec9e.codepoint=signal_cellular_connected_no_internet_0_bar_sharp signal_cellular_connected_no_internet_0_bar_sharp=material/signal_cellular_connected_no_internet_0_bar_sharp.png e5a9.codepoint=signal_cellular_connected_no_internet_4_bar signal_cellular_connected_no_internet_4_bar=material/signal_cellular_connected_no_internet_4_bar.png f38c.codepoint=signal_cellular_connected_no_internet_4_bar_outlined signal_cellular_connected_no_internet_4_bar_outlined=material/signal_cellular_connected_no_internet_4_bar_outlined.png f017e.codepoint=signal_cellular_connected_no_internet_4_bar_rounded signal_cellular_connected_no_internet_4_bar_rounded=material/signal_cellular_connected_no_internet_4_bar_rounded.png ec9f.codepoint=signal_cellular_connected_no_internet_4_bar_sharp signal_cellular_connected_no_internet_4_bar_sharp=material/signal_cellular_connected_no_internet_4_bar_sharp.png e5aa.codepoint=signal_cellular_no_sim signal_cellular_no_sim=material/signal_cellular_no_sim.png f38d.codepoint=signal_cellular_no_sim_outlined signal_cellular_no_sim_outlined=material/signal_cellular_no_sim_outlined.png f017f.codepoint=signal_cellular_no_sim_rounded signal_cellular_no_sim_rounded=material/signal_cellular_no_sim_rounded.png eca0.codepoint=signal_cellular_no_sim_sharp signal_cellular_no_sim_sharp=material/signal_cellular_no_sim_sharp.png e5ab.codepoint=signal_cellular_nodata signal_cellular_nodata=material/signal_cellular_nodata.png f38e.codepoint=signal_cellular_nodata_outlined signal_cellular_nodata_outlined=material/signal_cellular_nodata_outlined.png f0180.codepoint=signal_cellular_nodata_rounded signal_cellular_nodata_rounded=material/signal_cellular_nodata_rounded.png eca1.codepoint=signal_cellular_nodata_sharp signal_cellular_nodata_sharp=material/signal_cellular_nodata_sharp.png e5ac.codepoint=signal_cellular_null signal_cellular_null=material/signal_cellular_null.png f38f.codepoint=signal_cellular_null_outlined signal_cellular_null_outlined=material/signal_cellular_null_outlined.png f0181.codepoint=signal_cellular_null_rounded signal_cellular_null_rounded=material/signal_cellular_null_rounded.png eca2.codepoint=signal_cellular_null_sharp signal_cellular_null_sharp=material/signal_cellular_null_sharp.png e5ad.codepoint=signal_cellular_off signal_cellular_off=material/signal_cellular_off.png f390.codepoint=signal_cellular_off_outlined signal_cellular_off_outlined=material/signal_cellular_off_outlined.png f0182.codepoint=signal_cellular_off_rounded signal_cellular_off_rounded=material/signal_cellular_off_rounded.png eca3.codepoint=signal_cellular_off_sharp signal_cellular_off_sharp=material/signal_cellular_off_sharp.png e5ae.codepoint=signal_wifi_0_bar signal_wifi_0_bar=material/signal_wifi_0_bar.png f391.codepoint=signal_wifi_0_bar_outlined signal_wifi_0_bar_outlined=material/signal_wifi_0_bar_outlined.png f0183.codepoint=signal_wifi_0_bar_rounded signal_wifi_0_bar_rounded=material/signal_wifi_0_bar_rounded.png eca4.codepoint=signal_wifi_0_bar_sharp signal_wifi_0_bar_sharp=material/signal_wifi_0_bar_sharp.png e5af.codepoint=signal_wifi_4_bar signal_wifi_4_bar=material/signal_wifi_4_bar.png e5b0.codepoint=signal_wifi_4_bar_lock signal_wifi_4_bar_lock=material/signal_wifi_4_bar_lock.png f392.codepoint=signal_wifi_4_bar_lock_outlined signal_wifi_4_bar_lock_outlined=material/signal_wifi_4_bar_lock_outlined.png f0184.codepoint=signal_wifi_4_bar_lock_rounded signal_wifi_4_bar_lock_rounded=material/signal_wifi_4_bar_lock_rounded.png eca5.codepoint=signal_wifi_4_bar_lock_sharp signal_wifi_4_bar_lock_sharp=material/signal_wifi_4_bar_lock_sharp.png f393.codepoint=signal_wifi_4_bar_outlined signal_wifi_4_bar_outlined=material/signal_wifi_4_bar_outlined.png f0185.codepoint=signal_wifi_4_bar_rounded signal_wifi_4_bar_rounded=material/signal_wifi_4_bar_rounded.png eca6.codepoint=signal_wifi_4_bar_sharp signal_wifi_4_bar_sharp=material/signal_wifi_4_bar_sharp.png e5b1.codepoint=signal_wifi_bad signal_wifi_bad=material/signal_wifi_bad.png f394.codepoint=signal_wifi_bad_outlined signal_wifi_bad_outlined=material/signal_wifi_bad_outlined.png f0186.codepoint=signal_wifi_bad_rounded signal_wifi_bad_rounded=material/signal_wifi_bad_rounded.png eca7.codepoint=signal_wifi_bad_sharp signal_wifi_bad_sharp=material/signal_wifi_bad_sharp.png e5b2.codepoint=signal_wifi_connected_no_internet_4 signal_wifi_connected_no_internet_4=material/signal_wifi_connected_no_internet_4.png f395.codepoint=signal_wifi_connected_no_internet_4_outlined signal_wifi_connected_no_internet_4_outlined=material/signal_wifi_connected_no_internet_4_outlined.png f0187.codepoint=signal_wifi_connected_no_internet_4_rounded signal_wifi_connected_no_internet_4_rounded=material/signal_wifi_connected_no_internet_4_rounded.png eca8.codepoint=signal_wifi_connected_no_internet_4_sharp signal_wifi_connected_no_internet_4_sharp=material/signal_wifi_connected_no_internet_4_sharp.png e5b3.codepoint=signal_wifi_off signal_wifi_off=material/signal_wifi_off.png f396.codepoint=signal_wifi_off_outlined signal_wifi_off_outlined=material/signal_wifi_off_outlined.png f0188.codepoint=signal_wifi_off_rounded signal_wifi_off_rounded=material/signal_wifi_off_rounded.png eca9.codepoint=signal_wifi_off_sharp signal_wifi_off_sharp=material/signal_wifi_off_sharp.png e5b4.codepoint=signal_wifi_statusbar_4_bar signal_wifi_statusbar_4_bar=material/signal_wifi_statusbar_4_bar.png f397.codepoint=signal_wifi_statusbar_4_bar_outlined signal_wifi_statusbar_4_bar_outlined=material/signal_wifi_statusbar_4_bar_outlined.png f0189.codepoint=signal_wifi_statusbar_4_bar_rounded signal_wifi_statusbar_4_bar_rounded=material/signal_wifi_statusbar_4_bar_rounded.png ecaa.codepoint=signal_wifi_statusbar_4_bar_sharp signal_wifi_statusbar_4_bar_sharp=material/signal_wifi_statusbar_4_bar_sharp.png e5b5.codepoint=signal_wifi_statusbar_connected_no_internet_4 signal_wifi_statusbar_connected_no_internet_4=material/signal_wifi_statusbar_connected_no_internet_4.png f398.codepoint=signal_wifi_statusbar_connected_no_internet_4_outlined signal_wifi_statusbar_connected_no_internet_4_outlined=material/signal_wifi_statusbar_connected_no_internet_4_outlined.png f018a.codepoint=signal_wifi_statusbar_connected_no_internet_4_rounded signal_wifi_statusbar_connected_no_internet_4_rounded=material/signal_wifi_statusbar_connected_no_internet_4_rounded.png ecab.codepoint=signal_wifi_statusbar_connected_no_internet_4_sharp signal_wifi_statusbar_connected_no_internet_4_sharp=material/signal_wifi_statusbar_connected_no_internet_4_sharp.png e5b6.codepoint=signal_wifi_statusbar_null signal_wifi_statusbar_null=material/signal_wifi_statusbar_null.png f399.codepoint=signal_wifi_statusbar_null_outlined signal_wifi_statusbar_null_outlined=material/signal_wifi_statusbar_null_outlined.png f018b.codepoint=signal_wifi_statusbar_null_rounded signal_wifi_statusbar_null_rounded=material/signal_wifi_statusbar_null_rounded.png ecac.codepoint=signal_wifi_statusbar_null_sharp signal_wifi_statusbar_null_sharp=material/signal_wifi_statusbar_null_sharp.png f0569.codepoint=signpost signpost=material/signpost.png f0660.codepoint=signpost_outlined signpost_outlined=material/signpost_outlined.png f037f.codepoint=signpost_rounded signpost_rounded=material/signpost_rounded.png f0472.codepoint=signpost_sharp signpost_sharp=material/signpost_sharp.png e5b7.codepoint=sim_card sim_card=material/sim_card.png e5b8.codepoint=sim_card_alert sim_card_alert=material/sim_card_alert.png f39a.codepoint=sim_card_alert_outlined sim_card_alert_outlined=material/sim_card_alert_outlined.png f018c.codepoint=sim_card_alert_rounded sim_card_alert_rounded=material/sim_card_alert_rounded.png ecad.codepoint=sim_card_alert_sharp sim_card_alert_sharp=material/sim_card_alert_sharp.png e5b9.codepoint=sim_card_download sim_card_download=material/sim_card_download.png f39b.codepoint=sim_card_download_outlined sim_card_download_outlined=material/sim_card_download_outlined.png f018d.codepoint=sim_card_download_rounded sim_card_download_rounded=material/sim_card_download_rounded.png ecae.codepoint=sim_card_download_sharp sim_card_download_sharp=material/sim_card_download_sharp.png f39c.codepoint=sim_card_outlined sim_card_outlined=material/sim_card_outlined.png f018e.codepoint=sim_card_rounded sim_card_rounded=material/sim_card_rounded.png ecaf.codepoint=sim_card_sharp sim_card_sharp=material/sim_card_sharp.png e5ba.codepoint=single_bed single_bed=material/single_bed.png f39d.codepoint=single_bed_outlined single_bed_outlined=material/single_bed_outlined.png f018f.codepoint=single_bed_rounded single_bed_rounded=material/single_bed_rounded.png ecb0.codepoint=single_bed_sharp single_bed_sharp=material/single_bed_sharp.png e5bb.codepoint=sip sip=material/sip.png f39e.codepoint=sip_outlined sip_outlined=material/sip_outlined.png f0190.codepoint=sip_rounded sip_rounded=material/sip_rounded.png ecb1.codepoint=sip_sharp sip_sharp=material/sip_sharp.png e02a.codepoint=six_ft_apart six_ft_apart=material/six_ft_apart.png ee1c.codepoint=six_ft_apart_outlined six_ft_apart_outlined=material/six_ft_apart_outlined.png f509.codepoint=six_ft_apart_rounded six_ft_apart_rounded=material/six_ft_apart_rounded.png e72a.codepoint=six_ft_apart_sharp six_ft_apart_sharp=material/six_ft_apart_sharp.png e02b.codepoint=six_k six_k=material/six_k.png ee1d.codepoint=six_k_outlined six_k_outlined=material/six_k_outlined.png e02c.codepoint=six_k_plus six_k_plus=material/six_k_plus.png ee1e.codepoint=six_k_plus_outlined six_k_plus_outlined=material/six_k_plus_outlined.png f50a.codepoint=six_k_plus_rounded six_k_plus_rounded=material/six_k_plus_rounded.png e72b.codepoint=six_k_plus_sharp six_k_plus_sharp=material/six_k_plus_sharp.png f50b.codepoint=six_k_rounded six_k_rounded=material/six_k_rounded.png e72c.codepoint=six_k_sharp six_k_sharp=material/six_k_sharp.png e02d.codepoint=six_mp six_mp=material/six_mp.png ee1f.codepoint=six_mp_outlined six_mp_outlined=material/six_mp_outlined.png f50c.codepoint=six_mp_rounded six_mp_rounded=material/six_mp_rounded.png e72d.codepoint=six_mp_sharp six_mp_sharp=material/six_mp_sharp.png e007.codepoint=sixteen_mp sixteen_mp=material/sixteen_mp.png edf9.codepoint=sixteen_mp_outlined sixteen_mp_outlined=material/sixteen_mp_outlined.png f4e6.codepoint=sixteen_mp_rounded sixteen_mp_rounded=material/sixteen_mp_rounded.png e707.codepoint=sixteen_mp_sharp sixteen_mp_sharp=material/sixteen_mp_sharp.png e028.codepoint=sixty_fps sixty_fps=material/sixty_fps.png ee1a.codepoint=sixty_fps_outlined sixty_fps_outlined=material/sixty_fps_outlined.png f507.codepoint=sixty_fps_rounded sixty_fps_rounded=material/sixty_fps_rounded.png e029.codepoint=sixty_fps_select sixty_fps_select=material/sixty_fps_select.png ee1b.codepoint=sixty_fps_select_outlined sixty_fps_select_outlined=material/sixty_fps_select_outlined.png f508.codepoint=sixty_fps_select_rounded sixty_fps_select_rounded=material/sixty_fps_select_rounded.png e728.codepoint=sixty_fps_select_sharp sixty_fps_select_sharp=material/sixty_fps_select_sharp.png e729.codepoint=sixty_fps_sharp sixty_fps_sharp=material/sixty_fps_sharp.png e5bc.codepoint=skateboarding skateboarding=material/skateboarding.png f39f.codepoint=skateboarding_outlined skateboarding_outlined=material/skateboarding_outlined.png f0191.codepoint=skateboarding_rounded skateboarding_rounded=material/skateboarding_rounded.png ecb2.codepoint=skateboarding_sharp skateboarding_sharp=material/skateboarding_sharp.png e5bd.codepoint=skip_next skip_next=material/skip_next.png f3a0.codepoint=skip_next_outlined skip_next_outlined=material/skip_next_outlined.png f0192.codepoint=skip_next_rounded skip_next_rounded=material/skip_next_rounded.png ecb3.codepoint=skip_next_sharp skip_next_sharp=material/skip_next_sharp.png e5be.codepoint=skip_previous skip_previous=material/skip_previous.png f3a1.codepoint=skip_previous_outlined skip_previous_outlined=material/skip_previous_outlined.png f0193.codepoint=skip_previous_rounded skip_previous_rounded=material/skip_previous_rounded.png ecb4.codepoint=skip_previous_sharp skip_previous_sharp=material/skip_previous_sharp.png e5bf.codepoint=sledding sledding=material/sledding.png f3a2.codepoint=sledding_outlined sledding_outlined=material/sledding_outlined.png f0194.codepoint=sledding_rounded sledding_rounded=material/sledding_rounded.png ecb5.codepoint=sledding_sharp sledding_sharp=material/sledding_sharp.png e5c0.codepoint=slideshow slideshow=material/slideshow.png f3a3.codepoint=slideshow_outlined slideshow_outlined=material/slideshow_outlined.png f0195.codepoint=slideshow_rounded slideshow_rounded=material/slideshow_rounded.png ecb6.codepoint=slideshow_sharp slideshow_sharp=material/slideshow_sharp.png e5c1.codepoint=slow_motion_video slow_motion_video=material/slow_motion_video.png f3a4.codepoint=slow_motion_video_outlined slow_motion_video_outlined=material/slow_motion_video_outlined.png f0196.codepoint=slow_motion_video_rounded slow_motion_video_rounded=material/slow_motion_video_rounded.png ecb7.codepoint=slow_motion_video_sharp slow_motion_video_sharp=material/slow_motion_video_sharp.png e5c2.codepoint=smart_button smart_button=material/smart_button.png f3a5.codepoint=smart_button_outlined smart_button_outlined=material/smart_button_outlined.png f0197.codepoint=smart_button_rounded smart_button_rounded=material/smart_button_rounded.png ecb8.codepoint=smart_button_sharp smart_button_sharp=material/smart_button_sharp.png e5c3.codepoint=smart_display smart_display=material/smart_display.png f3a6.codepoint=smart_display_outlined smart_display_outlined=material/smart_display_outlined.png f0198.codepoint=smart_display_rounded smart_display_rounded=material/smart_display_rounded.png ecb9.codepoint=smart_display_sharp smart_display_sharp=material/smart_display_sharp.png e5c4.codepoint=smart_screen smart_screen=material/smart_screen.png f3a7.codepoint=smart_screen_outlined smart_screen_outlined=material/smart_screen_outlined.png f0199.codepoint=smart_screen_rounded smart_screen_rounded=material/smart_screen_rounded.png ecba.codepoint=smart_screen_sharp smart_screen_sharp=material/smart_screen_sharp.png e5c5.codepoint=smart_toy smart_toy=material/smart_toy.png f3a8.codepoint=smart_toy_outlined smart_toy_outlined=material/smart_toy_outlined.png f019a.codepoint=smart_toy_rounded smart_toy_rounded=material/smart_toy_rounded.png ecbb.codepoint=smart_toy_sharp smart_toy_sharp=material/smart_toy_sharp.png e5c6.codepoint=smartphone smartphone=material/smartphone.png f3a9.codepoint=smartphone_outlined smartphone_outlined=material/smartphone_outlined.png f019b.codepoint=smartphone_rounded smartphone_rounded=material/smartphone_rounded.png ecbc.codepoint=smartphone_sharp smartphone_sharp=material/smartphone_sharp.png e5c7.codepoint=smoke_free smoke_free=material/smoke_free.png f3aa.codepoint=smoke_free_outlined smoke_free_outlined=material/smoke_free_outlined.png f019c.codepoint=smoke_free_rounded smoke_free_rounded=material/smoke_free_rounded.png ecbd.codepoint=smoke_free_sharp smoke_free_sharp=material/smoke_free_sharp.png e5c8.codepoint=smoking_rooms smoking_rooms=material/smoking_rooms.png f3ab.codepoint=smoking_rooms_outlined smoking_rooms_outlined=material/smoking_rooms_outlined.png f019d.codepoint=smoking_rooms_rounded smoking_rooms_rounded=material/smoking_rooms_rounded.png ecbe.codepoint=smoking_rooms_sharp smoking_rooms_sharp=material/smoking_rooms_sharp.png e5c9.codepoint=sms sms=material/sms.png e5ca.codepoint=sms_failed sms_failed=material/sms_failed.png f3ac.codepoint=sms_failed_outlined sms_failed_outlined=material/sms_failed_outlined.png f019e.codepoint=sms_failed_rounded sms_failed_rounded=material/sms_failed_rounded.png ecbf.codepoint=sms_failed_sharp sms_failed_sharp=material/sms_failed_sharp.png f3ad.codepoint=sms_outlined sms_outlined=material/sms_outlined.png f019f.codepoint=sms_rounded sms_rounded=material/sms_rounded.png ecc0.codepoint=sms_sharp sms_sharp=material/sms_sharp.png f056a.codepoint=snapchat snapchat=material/snapchat.png f0661.codepoint=snapchat_outlined snapchat_outlined=material/snapchat_outlined.png f0380.codepoint=snapchat_rounded snapchat_rounded=material/snapchat_rounded.png f0473.codepoint=snapchat_sharp snapchat_sharp=material/snapchat_sharp.png e5cb.codepoint=snippet_folder snippet_folder=material/snippet_folder.png f3ae.codepoint=snippet_folder_outlined snippet_folder_outlined=material/snippet_folder_outlined.png f01a0.codepoint=snippet_folder_rounded snippet_folder_rounded=material/snippet_folder_rounded.png ecc1.codepoint=snippet_folder_sharp snippet_folder_sharp=material/snippet_folder_sharp.png e5cc.codepoint=snooze snooze=material/snooze.png f3af.codepoint=snooze_outlined snooze_outlined=material/snooze_outlined.png f01a1.codepoint=snooze_rounded snooze_rounded=material/snooze_rounded.png ecc2.codepoint=snooze_sharp snooze_sharp=material/snooze_sharp.png e5cd.codepoint=snowboarding snowboarding=material/snowboarding.png f3b0.codepoint=snowboarding_outlined snowboarding_outlined=material/snowboarding_outlined.png f01a2.codepoint=snowboarding_rounded snowboarding_rounded=material/snowboarding_rounded.png ecc3.codepoint=snowboarding_sharp snowboarding_sharp=material/snowboarding_sharp.png f056b.codepoint=snowing snowing=material/snowing.png e5ce.codepoint=snowmobile snowmobile=material/snowmobile.png f3b1.codepoint=snowmobile_outlined snowmobile_outlined=material/snowmobile_outlined.png f01a3.codepoint=snowmobile_rounded snowmobile_rounded=material/snowmobile_rounded.png ecc4.codepoint=snowmobile_sharp snowmobile_sharp=material/snowmobile_sharp.png e5cf.codepoint=snowshoeing snowshoeing=material/snowshoeing.png f3b2.codepoint=snowshoeing_outlined snowshoeing_outlined=material/snowshoeing_outlined.png f01a4.codepoint=snowshoeing_rounded snowshoeing_rounded=material/snowshoeing_rounded.png ecc5.codepoint=snowshoeing_sharp snowshoeing_sharp=material/snowshoeing_sharp.png e5d0.codepoint=soap soap=material/soap.png f3b3.codepoint=soap_outlined soap_outlined=material/soap_outlined.png f01a5.codepoint=soap_rounded soap_rounded=material/soap_rounded.png ecc6.codepoint=soap_sharp soap_sharp=material/soap_sharp.png e5d1.codepoint=social_distance social_distance=material/social_distance.png f3b4.codepoint=social_distance_outlined social_distance_outlined=material/social_distance_outlined.png f01a6.codepoint=social_distance_rounded social_distance_rounded=material/social_distance_rounded.png ecc7.codepoint=social_distance_sharp social_distance_sharp=material/social_distance_sharp.png f07c6.codepoint=solar_power solar_power=material/solar_power.png f0716.codepoint=solar_power_outlined solar_power_outlined=material/solar_power_outlined.png f081e.codepoint=solar_power_rounded solar_power_rounded=material/solar_power_rounded.png f076e.codepoint=solar_power_sharp solar_power_sharp=material/solar_power_sharp.png e5d2.codepoint=sort sort=material/sort.png e5d3.codepoint=sort_by_alpha sort_by_alpha=material/sort_by_alpha.png f3b5.codepoint=sort_by_alpha_outlined sort_by_alpha_outlined=material/sort_by_alpha_outlined.png f01a7.codepoint=sort_by_alpha_rounded sort_by_alpha_rounded=material/sort_by_alpha_rounded.png ecc8.codepoint=sort_by_alpha_sharp sort_by_alpha_sharp=material/sort_by_alpha_sharp.png f3b6.codepoint=sort_outlined sort_outlined=material/sort_outlined.png f01a8.codepoint=sort_rounded sort_rounded=material/sort_rounded.png ecc9.codepoint=sort_sharp sort_sharp=material/sort_sharp.png f07c7.codepoint=sos sos=material/sos.png f0717.codepoint=sos_outlined sos_outlined=material/sos_outlined.png f081f.codepoint=sos_rounded sos_rounded=material/sos_rounded.png f076f.codepoint=sos_sharp sos_sharp=material/sos_sharp.png f056c.codepoint=soup_kitchen soup_kitchen=material/soup_kitchen.png f0662.codepoint=soup_kitchen_outlined soup_kitchen_outlined=material/soup_kitchen_outlined.png f0381.codepoint=soup_kitchen_rounded soup_kitchen_rounded=material/soup_kitchen_rounded.png f0474.codepoint=soup_kitchen_sharp soup_kitchen_sharp=material/soup_kitchen_sharp.png e5d4.codepoint=source source=material/source.png f3b7.codepoint=source_outlined source_outlined=material/source_outlined.png f01a9.codepoint=source_rounded source_rounded=material/source_rounded.png ecca.codepoint=source_sharp source_sharp=material/source_sharp.png e5d5.codepoint=south south=material/south.png f056d.codepoint=south_america south_america=material/south_america.png f0663.codepoint=south_america_outlined south_america_outlined=material/south_america_outlined.png f0382.codepoint=south_america_rounded south_america_rounded=material/south_america_rounded.png f0475.codepoint=south_america_sharp south_america_sharp=material/south_america_sharp.png e5d6.codepoint=south_east south_east=material/south_east.png f3b8.codepoint=south_east_outlined south_east_outlined=material/south_east_outlined.png f01aa.codepoint=south_east_rounded south_east_rounded=material/south_east_rounded.png eccb.codepoint=south_east_sharp south_east_sharp=material/south_east_sharp.png f3b9.codepoint=south_outlined south_outlined=material/south_outlined.png f01ab.codepoint=south_rounded south_rounded=material/south_rounded.png eccc.codepoint=south_sharp south_sharp=material/south_sharp.png e5d7.codepoint=south_west south_west=material/south_west.png f3ba.codepoint=south_west_outlined south_west_outlined=material/south_west_outlined.png f01ac.codepoint=south_west_rounded south_west_rounded=material/south_west_rounded.png eccd.codepoint=south_west_sharp south_west_sharp=material/south_west_sharp.png e5d8.codepoint=spa spa=material/spa.png f3bb.codepoint=spa_outlined spa_outlined=material/spa_outlined.png f01ad.codepoint=spa_rounded spa_rounded=material/spa_rounded.png ecce.codepoint=spa_sharp spa_sharp=material/spa_sharp.png e5d9.codepoint=space_bar space_bar=material/space_bar.png f3bc.codepoint=space_bar_outlined space_bar_outlined=material/space_bar_outlined.png f01ae.codepoint=space_bar_rounded space_bar_rounded=material/space_bar_rounded.png eccf.codepoint=space_bar_sharp space_bar_sharp=material/space_bar_sharp.png e5da.codepoint=space_dashboard space_dashboard=material/space_dashboard.png f3bd.codepoint=space_dashboard_outlined space_dashboard_outlined=material/space_dashboard_outlined.png f01af.codepoint=space_dashboard_rounded space_dashboard_rounded=material/space_dashboard_rounded.png ecd0.codepoint=space_dashboard_sharp space_dashboard_sharp=material/space_dashboard_sharp.png f07c8.codepoint=spatial_audio spatial_audio=material/spatial_audio.png f07c9.codepoint=spatial_audio_off spatial_audio_off=material/spatial_audio_off.png f0718.codepoint=spatial_audio_off_outlined spatial_audio_off_outlined=material/spatial_audio_off_outlined.png f0820.codepoint=spatial_audio_off_rounded spatial_audio_off_rounded=material/spatial_audio_off_rounded.png f0770.codepoint=spatial_audio_off_sharp spatial_audio_off_sharp=material/spatial_audio_off_sharp.png f0719.codepoint=spatial_audio_outlined spatial_audio_outlined=material/spatial_audio_outlined.png f0821.codepoint=spatial_audio_rounded spatial_audio_rounded=material/spatial_audio_rounded.png f0771.codepoint=spatial_audio_sharp spatial_audio_sharp=material/spatial_audio_sharp.png f07ca.codepoint=spatial_tracking spatial_tracking=material/spatial_tracking.png f071a.codepoint=spatial_tracking_outlined spatial_tracking_outlined=material/spatial_tracking_outlined.png f0822.codepoint=spatial_tracking_rounded spatial_tracking_rounded=material/spatial_tracking_rounded.png f0772.codepoint=spatial_tracking_sharp spatial_tracking_sharp=material/spatial_tracking_sharp.png e5db.codepoint=speaker speaker=material/speaker.png e5dc.codepoint=speaker_group speaker_group=material/speaker_group.png f3be.codepoint=speaker_group_outlined speaker_group_outlined=material/speaker_group_outlined.png f01b0.codepoint=speaker_group_rounded speaker_group_rounded=material/speaker_group_rounded.png ecd1.codepoint=speaker_group_sharp speaker_group_sharp=material/speaker_group_sharp.png e5dd.codepoint=speaker_notes speaker_notes=material/speaker_notes.png e5de.codepoint=speaker_notes_off speaker_notes_off=material/speaker_notes_off.png f3bf.codepoint=speaker_notes_off_outlined speaker_notes_off_outlined=material/speaker_notes_off_outlined.png f01b1.codepoint=speaker_notes_off_rounded speaker_notes_off_rounded=material/speaker_notes_off_rounded.png ecd2.codepoint=speaker_notes_off_sharp speaker_notes_off_sharp=material/speaker_notes_off_sharp.png f3c0.codepoint=speaker_notes_outlined speaker_notes_outlined=material/speaker_notes_outlined.png f01b2.codepoint=speaker_notes_rounded speaker_notes_rounded=material/speaker_notes_rounded.png ecd3.codepoint=speaker_notes_sharp speaker_notes_sharp=material/speaker_notes_sharp.png f3c1.codepoint=speaker_outlined speaker_outlined=material/speaker_outlined.png e5df.codepoint=speaker_phone speaker_phone=material/speaker_phone.png f3c2.codepoint=speaker_phone_outlined speaker_phone_outlined=material/speaker_phone_outlined.png f01b3.codepoint=speaker_phone_rounded speaker_phone_rounded=material/speaker_phone_rounded.png ecd4.codepoint=speaker_phone_sharp speaker_phone_sharp=material/speaker_phone_sharp.png f01b4.codepoint=speaker_rounded speaker_rounded=material/speaker_rounded.png ecd5.codepoint=speaker_sharp speaker_sharp=material/speaker_sharp.png e5e0.codepoint=speed speed=material/speed.png f3c3.codepoint=speed_outlined speed_outlined=material/speed_outlined.png f01b5.codepoint=speed_rounded speed_rounded=material/speed_rounded.png ecd6.codepoint=speed_sharp speed_sharp=material/speed_sharp.png e5e1.codepoint=spellcheck spellcheck=material/spellcheck.png f3c4.codepoint=spellcheck_outlined spellcheck_outlined=material/spellcheck_outlined.png f01b6.codepoint=spellcheck_rounded spellcheck_rounded=material/spellcheck_rounded.png ecd7.codepoint=spellcheck_sharp spellcheck_sharp=material/spellcheck_sharp.png e5e2.codepoint=splitscreen splitscreen=material/splitscreen.png f3c5.codepoint=splitscreen_outlined splitscreen_outlined=material/splitscreen_outlined.png f01b7.codepoint=splitscreen_rounded splitscreen_rounded=material/splitscreen_rounded.png ecd8.codepoint=splitscreen_sharp splitscreen_sharp=material/splitscreen_sharp.png f056e.codepoint=spoke spoke=material/spoke.png f0664.codepoint=spoke_outlined spoke_outlined=material/spoke_outlined.png f0383.codepoint=spoke_rounded spoke_rounded=material/spoke_rounded.png f0476.codepoint=spoke_sharp spoke_sharp=material/spoke_sharp.png e5e3.codepoint=sports sports=material/sports.png e5e4.codepoint=sports_bar sports_bar=material/sports_bar.png f3c6.codepoint=sports_bar_outlined sports_bar_outlined=material/sports_bar_outlined.png f01b8.codepoint=sports_bar_rounded sports_bar_rounded=material/sports_bar_rounded.png ecd9.codepoint=sports_bar_sharp sports_bar_sharp=material/sports_bar_sharp.png e5e5.codepoint=sports_baseball sports_baseball=material/sports_baseball.png f3c7.codepoint=sports_baseball_outlined sports_baseball_outlined=material/sports_baseball_outlined.png f01b9.codepoint=sports_baseball_rounded sports_baseball_rounded=material/sports_baseball_rounded.png ecda.codepoint=sports_baseball_sharp sports_baseball_sharp=material/sports_baseball_sharp.png e5e6.codepoint=sports_basketball sports_basketball=material/sports_basketball.png f3c8.codepoint=sports_basketball_outlined sports_basketball_outlined=material/sports_basketball_outlined.png f01ba.codepoint=sports_basketball_rounded sports_basketball_rounded=material/sports_basketball_rounded.png ecdb.codepoint=sports_basketball_sharp sports_basketball_sharp=material/sports_basketball_sharp.png e5e7.codepoint=sports_cricket sports_cricket=material/sports_cricket.png f3c9.codepoint=sports_cricket_outlined sports_cricket_outlined=material/sports_cricket_outlined.png f01bb.codepoint=sports_cricket_rounded sports_cricket_rounded=material/sports_cricket_rounded.png ecdc.codepoint=sports_cricket_sharp sports_cricket_sharp=material/sports_cricket_sharp.png e5e8.codepoint=sports_esports sports_esports=material/sports_esports.png f3ca.codepoint=sports_esports_outlined sports_esports_outlined=material/sports_esports_outlined.png f01bc.codepoint=sports_esports_rounded sports_esports_rounded=material/sports_esports_rounded.png ecdd.codepoint=sports_esports_sharp sports_esports_sharp=material/sports_esports_sharp.png e5e9.codepoint=sports_football sports_football=material/sports_football.png f3cb.codepoint=sports_football_outlined sports_football_outlined=material/sports_football_outlined.png f01bd.codepoint=sports_football_rounded sports_football_rounded=material/sports_football_rounded.png ecde.codepoint=sports_football_sharp sports_football_sharp=material/sports_football_sharp.png e5ea.codepoint=sports_golf sports_golf=material/sports_golf.png f3cc.codepoint=sports_golf_outlined sports_golf_outlined=material/sports_golf_outlined.png f01be.codepoint=sports_golf_rounded sports_golf_rounded=material/sports_golf_rounded.png ecdf.codepoint=sports_golf_sharp sports_golf_sharp=material/sports_golf_sharp.png f06c3.codepoint=sports_gymnastics sports_gymnastics=material/sports_gymnastics.png f06a9.codepoint=sports_gymnastics_outlined sports_gymnastics_outlined=material/sports_gymnastics_outlined.png f06d0.codepoint=sports_gymnastics_rounded sports_gymnastics_rounded=material/sports_gymnastics_rounded.png f06b6.codepoint=sports_gymnastics_sharp sports_gymnastics_sharp=material/sports_gymnastics_sharp.png e5eb.codepoint=sports_handball sports_handball=material/sports_handball.png f3cd.codepoint=sports_handball_outlined sports_handball_outlined=material/sports_handball_outlined.png f01bf.codepoint=sports_handball_rounded sports_handball_rounded=material/sports_handball_rounded.png ece0.codepoint=sports_handball_sharp sports_handball_sharp=material/sports_handball_sharp.png e5ec.codepoint=sports_hockey sports_hockey=material/sports_hockey.png f3ce.codepoint=sports_hockey_outlined sports_hockey_outlined=material/sports_hockey_outlined.png f01c0.codepoint=sports_hockey_rounded sports_hockey_rounded=material/sports_hockey_rounded.png ece1.codepoint=sports_hockey_sharp sports_hockey_sharp=material/sports_hockey_sharp.png e5ed.codepoint=sports_kabaddi sports_kabaddi=material/sports_kabaddi.png f3cf.codepoint=sports_kabaddi_outlined sports_kabaddi_outlined=material/sports_kabaddi_outlined.png f01c1.codepoint=sports_kabaddi_rounded sports_kabaddi_rounded=material/sports_kabaddi_rounded.png ece2.codepoint=sports_kabaddi_sharp sports_kabaddi_sharp=material/sports_kabaddi_sharp.png f056f.codepoint=sports_martial_arts sports_martial_arts=material/sports_martial_arts.png f0665.codepoint=sports_martial_arts_outlined sports_martial_arts_outlined=material/sports_martial_arts_outlined.png f0384.codepoint=sports_martial_arts_rounded sports_martial_arts_rounded=material/sports_martial_arts_rounded.png f0477.codepoint=sports_martial_arts_sharp sports_martial_arts_sharp=material/sports_martial_arts_sharp.png e5ee.codepoint=sports_mma sports_mma=material/sports_mma.png f3d0.codepoint=sports_mma_outlined sports_mma_outlined=material/sports_mma_outlined.png f01c2.codepoint=sports_mma_rounded sports_mma_rounded=material/sports_mma_rounded.png ece3.codepoint=sports_mma_sharp sports_mma_sharp=material/sports_mma_sharp.png e5ef.codepoint=sports_motorsports sports_motorsports=material/sports_motorsports.png f3d1.codepoint=sports_motorsports_outlined sports_motorsports_outlined=material/sports_motorsports_outlined.png f01c3.codepoint=sports_motorsports_rounded sports_motorsports_rounded=material/sports_motorsports_rounded.png ece4.codepoint=sports_motorsports_sharp sports_motorsports_sharp=material/sports_motorsports_sharp.png f3d2.codepoint=sports_outlined sports_outlined=material/sports_outlined.png f01c4.codepoint=sports_rounded sports_rounded=material/sports_rounded.png e5f0.codepoint=sports_rugby sports_rugby=material/sports_rugby.png f3d3.codepoint=sports_rugby_outlined sports_rugby_outlined=material/sports_rugby_outlined.png f01c5.codepoint=sports_rugby_rounded sports_rugby_rounded=material/sports_rugby_rounded.png ece5.codepoint=sports_rugby_sharp sports_rugby_sharp=material/sports_rugby_sharp.png e5f1.codepoint=sports_score sports_score=material/sports_score.png f3d4.codepoint=sports_score_outlined sports_score_outlined=material/sports_score_outlined.png f01c6.codepoint=sports_score_rounded sports_score_rounded=material/sports_score_rounded.png ece6.codepoint=sports_score_sharp sports_score_sharp=material/sports_score_sharp.png ece7.codepoint=sports_sharp sports_sharp=material/sports_sharp.png e5f2.codepoint=sports_soccer sports_soccer=material/sports_soccer.png f3d5.codepoint=sports_soccer_outlined sports_soccer_outlined=material/sports_soccer_outlined.png f01c7.codepoint=sports_soccer_rounded sports_soccer_rounded=material/sports_soccer_rounded.png ece8.codepoint=sports_soccer_sharp sports_soccer_sharp=material/sports_soccer_sharp.png e5f3.codepoint=sports_tennis sports_tennis=material/sports_tennis.png f3d6.codepoint=sports_tennis_outlined sports_tennis_outlined=material/sports_tennis_outlined.png f01c8.codepoint=sports_tennis_rounded sports_tennis_rounded=material/sports_tennis_rounded.png ece9.codepoint=sports_tennis_sharp sports_tennis_sharp=material/sports_tennis_sharp.png e5f4.codepoint=sports_volleyball sports_volleyball=material/sports_volleyball.png f3d7.codepoint=sports_volleyball_outlined sports_volleyball_outlined=material/sports_volleyball_outlined.png f01c9.codepoint=sports_volleyball_rounded sports_volleyball_rounded=material/sports_volleyball_rounded.png ecea.codepoint=sports_volleyball_sharp sports_volleyball_sharp=material/sports_volleyball_sharp.png f0570.codepoint=square square=material/square.png e5f5.codepoint=square_foot square_foot=material/square_foot.png f3d8.codepoint=square_foot_outlined square_foot_outlined=material/square_foot_outlined.png f01ca.codepoint=square_foot_rounded square_foot_rounded=material/square_foot_rounded.png eceb.codepoint=square_foot_sharp square_foot_sharp=material/square_foot_sharp.png f0666.codepoint=square_outlined square_outlined=material/square_outlined.png f0385.codepoint=square_rounded square_rounded=material/square_rounded.png f0478.codepoint=square_sharp square_sharp=material/square_sharp.png f0571.codepoint=ssid_chart ssid_chart=material/ssid_chart.png f0667.codepoint=ssid_chart_outlined ssid_chart_outlined=material/ssid_chart_outlined.png f0386.codepoint=ssid_chart_rounded ssid_chart_rounded=material/ssid_chart_rounded.png f0479.codepoint=ssid_chart_sharp ssid_chart_sharp=material/ssid_chart_sharp.png e5f6.codepoint=stacked_bar_chart stacked_bar_chart=material/stacked_bar_chart.png f3d9.codepoint=stacked_bar_chart_outlined stacked_bar_chart_outlined=material/stacked_bar_chart_outlined.png f01cb.codepoint=stacked_bar_chart_rounded stacked_bar_chart_rounded=material/stacked_bar_chart_rounded.png ecec.codepoint=stacked_bar_chart_sharp stacked_bar_chart_sharp=material/stacked_bar_chart_sharp.png e5f7.codepoint=stacked_line_chart stacked_line_chart=material/stacked_line_chart.png f3da.codepoint=stacked_line_chart_outlined stacked_line_chart_outlined=material/stacked_line_chart_outlined.png f01cc.codepoint=stacked_line_chart_rounded stacked_line_chart_rounded=material/stacked_line_chart_rounded.png eced.codepoint=stacked_line_chart_sharp stacked_line_chart_sharp=material/stacked_line_chart_sharp.png f0572.codepoint=stadium stadium=material/stadium.png f0668.codepoint=stadium_outlined stadium_outlined=material/stadium_outlined.png f0387.codepoint=stadium_rounded stadium_rounded=material/stadium_rounded.png f047a.codepoint=stadium_sharp stadium_sharp=material/stadium_sharp.png e5f8.codepoint=stairs stairs=material/stairs.png f3db.codepoint=stairs_outlined stairs_outlined=material/stairs_outlined.png f01cd.codepoint=stairs_rounded stairs_rounded=material/stairs_rounded.png ecee.codepoint=stairs_sharp stairs_sharp=material/stairs_sharp.png e5f9.codepoint=star star=material/star.png e5fa.codepoint=star_border star_border=material/star_border.png f3dc.codepoint=star_border_outlined star_border_outlined=material/star_border_outlined.png e5fb.codepoint=star_border_purple500 star_border_purple500=material/star_border_purple500.png f3dd.codepoint=star_border_purple500_outlined star_border_purple500_outlined=material/star_border_purple500_outlined.png f01ce.codepoint=star_border_purple500_rounded star_border_purple500_rounded=material/star_border_purple500_rounded.png ecef.codepoint=star_border_purple500_sharp star_border_purple500_sharp=material/star_border_purple500_sharp.png f01cf.codepoint=star_border_rounded star_border_rounded=material/star_border_rounded.png ecf0.codepoint=star_border_sharp star_border_sharp=material/star_border_sharp.png e5fc.codepoint=star_half star_half=material/star_half.png f3de.codepoint=star_half_outlined star_half_outlined=material/star_half_outlined.png f01d0.codepoint=star_half_rounded star_half_rounded=material/star_half_rounded.png ecf1.codepoint=star_half_sharp star_half_sharp=material/star_half_sharp.png e5fd.codepoint=star_outline star_outline=material/star_outline.png f3df.codepoint=star_outline_outlined star_outline_outlined=material/star_outline_outlined.png f01d1.codepoint=star_outline_rounded star_outline_rounded=material/star_outline_rounded.png ecf2.codepoint=star_outline_sharp star_outline_sharp=material/star_outline_sharp.png f3e0.codepoint=star_outlined star_outlined=material/star_outlined.png e5fe.codepoint=star_purple500 star_purple500=material/star_purple500.png f3e1.codepoint=star_purple500_outlined star_purple500_outlined=material/star_purple500_outlined.png f01d2.codepoint=star_purple500_rounded star_purple500_rounded=material/star_purple500_rounded.png ecf3.codepoint=star_purple500_sharp star_purple500_sharp=material/star_purple500_sharp.png e5ff.codepoint=star_rate star_rate=material/star_rate.png f3e2.codepoint=star_rate_outlined star_rate_outlined=material/star_rate_outlined.png f01d3.codepoint=star_rate_rounded star_rate_rounded=material/star_rate_rounded.png ecf4.codepoint=star_rate_sharp star_rate_sharp=material/star_rate_sharp.png f01d4.codepoint=star_rounded star_rounded=material/star_rounded.png ecf5.codepoint=star_sharp star_sharp=material/star_sharp.png e600.codepoint=stars stars=material/stars.png f3e3.codepoint=stars_outlined stars_outlined=material/stars_outlined.png f01d5.codepoint=stars_rounded stars_rounded=material/stars_rounded.png ecf6.codepoint=stars_sharp stars_sharp=material/stars_sharp.png f0573.codepoint=start start=material/start.png f0669.codepoint=start_outlined start_outlined=material/start_outlined.png f0388.codepoint=start_rounded start_rounded=material/start_rounded.png f047b.codepoint=start_sharp start_sharp=material/start_sharp.png e601.codepoint=stay_current_landscape stay_current_landscape=material/stay_current_landscape.png f3e4.codepoint=stay_current_landscape_outlined stay_current_landscape_outlined=material/stay_current_landscape_outlined.png f01d6.codepoint=stay_current_landscape_rounded stay_current_landscape_rounded=material/stay_current_landscape_rounded.png ecf7.codepoint=stay_current_landscape_sharp stay_current_landscape_sharp=material/stay_current_landscape_sharp.png e602.codepoint=stay_current_portrait stay_current_portrait=material/stay_current_portrait.png f3e5.codepoint=stay_current_portrait_outlined stay_current_portrait_outlined=material/stay_current_portrait_outlined.png f01d7.codepoint=stay_current_portrait_rounded stay_current_portrait_rounded=material/stay_current_portrait_rounded.png ecf8.codepoint=stay_current_portrait_sharp stay_current_portrait_sharp=material/stay_current_portrait_sharp.png e603.codepoint=stay_primary_landscape stay_primary_landscape=material/stay_primary_landscape.png f3e6.codepoint=stay_primary_landscape_outlined stay_primary_landscape_outlined=material/stay_primary_landscape_outlined.png f01d8.codepoint=stay_primary_landscape_rounded stay_primary_landscape_rounded=material/stay_primary_landscape_rounded.png ecf9.codepoint=stay_primary_landscape_sharp stay_primary_landscape_sharp=material/stay_primary_landscape_sharp.png e604.codepoint=stay_primary_portrait stay_primary_portrait=material/stay_primary_portrait.png f3e7.codepoint=stay_primary_portrait_outlined stay_primary_portrait_outlined=material/stay_primary_portrait_outlined.png f01d9.codepoint=stay_primary_portrait_rounded stay_primary_portrait_rounded=material/stay_primary_portrait_rounded.png ecfa.codepoint=stay_primary_portrait_sharp stay_primary_portrait_sharp=material/stay_primary_portrait_sharp.png e605.codepoint=sticky_note_2 sticky_note_2=material/sticky_note_2.png f3e8.codepoint=sticky_note_2_outlined sticky_note_2_outlined=material/sticky_note_2_outlined.png f01da.codepoint=sticky_note_2_rounded sticky_note_2_rounded=material/sticky_note_2_rounded.png ecfb.codepoint=sticky_note_2_sharp sticky_note_2_sharp=material/sticky_note_2_sharp.png e606.codepoint=stop stop=material/stop.png e607.codepoint=stop_circle stop_circle=material/stop_circle.png f3e9.codepoint=stop_circle_outlined stop_circle_outlined=material/stop_circle_outlined.png f01db.codepoint=stop_circle_rounded stop_circle_rounded=material/stop_circle_rounded.png ecfc.codepoint=stop_circle_sharp stop_circle_sharp=material/stop_circle_sharp.png f3ea.codepoint=stop_outlined stop_outlined=material/stop_outlined.png f01dc.codepoint=stop_rounded stop_rounded=material/stop_rounded.png e608.codepoint=stop_screen_share stop_screen_share=material/stop_screen_share.png f3eb.codepoint=stop_screen_share_outlined stop_screen_share_outlined=material/stop_screen_share_outlined.png f01dd.codepoint=stop_screen_share_rounded stop_screen_share_rounded=material/stop_screen_share_rounded.png ecfd.codepoint=stop_screen_share_sharp stop_screen_share_sharp=material/stop_screen_share_sharp.png ecfe.codepoint=stop_sharp stop_sharp=material/stop_sharp.png e609.codepoint=storage storage=material/storage.png f3ec.codepoint=storage_outlined storage_outlined=material/storage_outlined.png f01de.codepoint=storage_rounded storage_rounded=material/storage_rounded.png ecff.codepoint=storage_sharp storage_sharp=material/storage_sharp.png e60a.codepoint=store store=material/store.png e60b.codepoint=store_mall_directory store_mall_directory=material/store_mall_directory.png f3ed.codepoint=store_mall_directory_outlined store_mall_directory_outlined=material/store_mall_directory_outlined.png f01df.codepoint=store_mall_directory_rounded store_mall_directory_rounded=material/store_mall_directory_rounded.png ed00.codepoint=store_mall_directory_sharp store_mall_directory_sharp=material/store_mall_directory_sharp.png f3ee.codepoint=store_outlined store_outlined=material/store_outlined.png f01e0.codepoint=store_rounded store_rounded=material/store_rounded.png ed01.codepoint=store_sharp store_sharp=material/store_sharp.png e60c.codepoint=storefront storefront=material/storefront.png f3ef.codepoint=storefront_outlined storefront_outlined=material/storefront_outlined.png f01e1.codepoint=storefront_rounded storefront_rounded=material/storefront_rounded.png ed02.codepoint=storefront_sharp storefront_sharp=material/storefront_sharp.png e60d.codepoint=storm storm=material/storm.png f3f0.codepoint=storm_outlined storm_outlined=material/storm_outlined.png f01e2.codepoint=storm_rounded storm_rounded=material/storm_rounded.png ed03.codepoint=storm_sharp storm_sharp=material/storm_sharp.png f0574.codepoint=straight straight=material/straight.png f066a.codepoint=straight_outlined straight_outlined=material/straight_outlined.png f0389.codepoint=straight_rounded straight_rounded=material/straight_rounded.png f047c.codepoint=straight_sharp straight_sharp=material/straight_sharp.png e60e.codepoint=straighten straighten=material/straighten.png f3f1.codepoint=straighten_outlined straighten_outlined=material/straighten_outlined.png f01e3.codepoint=straighten_rounded straighten_rounded=material/straighten_rounded.png ed04.codepoint=straighten_sharp straighten_sharp=material/straighten_sharp.png e60f.codepoint=stream stream=material/stream.png f3f2.codepoint=stream_outlined stream_outlined=material/stream_outlined.png f01e4.codepoint=stream_rounded stream_rounded=material/stream_rounded.png ed05.codepoint=stream_sharp stream_sharp=material/stream_sharp.png e610.codepoint=streetview streetview=material/streetview.png f3f3.codepoint=streetview_outlined streetview_outlined=material/streetview_outlined.png f01e5.codepoint=streetview_rounded streetview_rounded=material/streetview_rounded.png ed06.codepoint=streetview_sharp streetview_sharp=material/streetview_sharp.png e611.codepoint=strikethrough_s strikethrough_s=material/strikethrough_s.png f3f4.codepoint=strikethrough_s_outlined strikethrough_s_outlined=material/strikethrough_s_outlined.png f01e6.codepoint=strikethrough_s_rounded strikethrough_s_rounded=material/strikethrough_s_rounded.png ed07.codepoint=strikethrough_s_sharp strikethrough_s_sharp=material/strikethrough_s_sharp.png e612.codepoint=stroller stroller=material/stroller.png f3f5.codepoint=stroller_outlined stroller_outlined=material/stroller_outlined.png f01e7.codepoint=stroller_rounded stroller_rounded=material/stroller_rounded.png ed08.codepoint=stroller_sharp stroller_sharp=material/stroller_sharp.png e613.codepoint=style style=material/style.png f3f6.codepoint=style_outlined style_outlined=material/style_outlined.png f01e8.codepoint=style_rounded style_rounded=material/style_rounded.png ed09.codepoint=style_sharp style_sharp=material/style_sharp.png e614.codepoint=subdirectory_arrow_left subdirectory_arrow_left=material/subdirectory_arrow_left.png f3f7.codepoint=subdirectory_arrow_left_outlined subdirectory_arrow_left_outlined=material/subdirectory_arrow_left_outlined.png f01e9.codepoint=subdirectory_arrow_left_rounded subdirectory_arrow_left_rounded=material/subdirectory_arrow_left_rounded.png ed0a.codepoint=subdirectory_arrow_left_sharp subdirectory_arrow_left_sharp=material/subdirectory_arrow_left_sharp.png e615.codepoint=subdirectory_arrow_right subdirectory_arrow_right=material/subdirectory_arrow_right.png f3f8.codepoint=subdirectory_arrow_right_outlined subdirectory_arrow_right_outlined=material/subdirectory_arrow_right_outlined.png f01ea.codepoint=subdirectory_arrow_right_rounded subdirectory_arrow_right_rounded=material/subdirectory_arrow_right_rounded.png ed0b.codepoint=subdirectory_arrow_right_sharp subdirectory_arrow_right_sharp=material/subdirectory_arrow_right_sharp.png e616.codepoint=subject subject=material/subject.png f3f9.codepoint=subject_outlined subject_outlined=material/subject_outlined.png f01eb.codepoint=subject_rounded subject_rounded=material/subject_rounded.png ed0c.codepoint=subject_sharp subject_sharp=material/subject_sharp.png e617.codepoint=subscript subscript=material/subscript.png f3fa.codepoint=subscript_outlined subscript_outlined=material/subscript_outlined.png f01ec.codepoint=subscript_rounded subscript_rounded=material/subscript_rounded.png ed0d.codepoint=subscript_sharp subscript_sharp=material/subscript_sharp.png e618.codepoint=subscriptions subscriptions=material/subscriptions.png f3fb.codepoint=subscriptions_outlined subscriptions_outlined=material/subscriptions_outlined.png f01ed.codepoint=subscriptions_rounded subscriptions_rounded=material/subscriptions_rounded.png ed0e.codepoint=subscriptions_sharp subscriptions_sharp=material/subscriptions_sharp.png e619.codepoint=subtitles subtitles=material/subtitles.png e61a.codepoint=subtitles_off subtitles_off=material/subtitles_off.png f3fc.codepoint=subtitles_off_outlined subtitles_off_outlined=material/subtitles_off_outlined.png f01ee.codepoint=subtitles_off_rounded subtitles_off_rounded=material/subtitles_off_rounded.png ed0f.codepoint=subtitles_off_sharp subtitles_off_sharp=material/subtitles_off_sharp.png f3fd.codepoint=subtitles_outlined subtitles_outlined=material/subtitles_outlined.png f01ef.codepoint=subtitles_rounded subtitles_rounded=material/subtitles_rounded.png ed10.codepoint=subtitles_sharp subtitles_sharp=material/subtitles_sharp.png e61b.codepoint=subway subway=material/subway.png f3fe.codepoint=subway_outlined subway_outlined=material/subway_outlined.png f01f0.codepoint=subway_rounded subway_rounded=material/subway_rounded.png ed11.codepoint=subway_sharp subway_sharp=material/subway_sharp.png e61c.codepoint=summarize summarize=material/summarize.png f3ff.codepoint=summarize_outlined summarize_outlined=material/summarize_outlined.png f01f1.codepoint=summarize_rounded summarize_rounded=material/summarize_rounded.png ed12.codepoint=summarize_sharp summarize_sharp=material/summarize_sharp.png f0575.codepoint=sunny sunny=material/sunny.png f0576.codepoint=sunny_snowing sunny_snowing=material/sunny_snowing.png e61d.codepoint=superscript superscript=material/superscript.png f400.codepoint=superscript_outlined superscript_outlined=material/superscript_outlined.png f01f2.codepoint=superscript_rounded superscript_rounded=material/superscript_rounded.png ed13.codepoint=superscript_sharp superscript_sharp=material/superscript_sharp.png e61e.codepoint=supervised_user_circle supervised_user_circle=material/supervised_user_circle.png f401.codepoint=supervised_user_circle_outlined supervised_user_circle_outlined=material/supervised_user_circle_outlined.png f01f3.codepoint=supervised_user_circle_rounded supervised_user_circle_rounded=material/supervised_user_circle_rounded.png ed14.codepoint=supervised_user_circle_sharp supervised_user_circle_sharp=material/supervised_user_circle_sharp.png e61f.codepoint=supervisor_account supervisor_account=material/supervisor_account.png f402.codepoint=supervisor_account_outlined supervisor_account_outlined=material/supervisor_account_outlined.png f01f4.codepoint=supervisor_account_rounded supervisor_account_rounded=material/supervisor_account_rounded.png ed15.codepoint=supervisor_account_sharp supervisor_account_sharp=material/supervisor_account_sharp.png e620.codepoint=support support=material/support.png e621.codepoint=support_agent support_agent=material/support_agent.png f403.codepoint=support_agent_outlined support_agent_outlined=material/support_agent_outlined.png f01f5.codepoint=support_agent_rounded support_agent_rounded=material/support_agent_rounded.png ed16.codepoint=support_agent_sharp support_agent_sharp=material/support_agent_sharp.png f404.codepoint=support_outlined support_outlined=material/support_outlined.png f01f6.codepoint=support_rounded support_rounded=material/support_rounded.png ed17.codepoint=support_sharp support_sharp=material/support_sharp.png e622.codepoint=surfing surfing=material/surfing.png f405.codepoint=surfing_outlined surfing_outlined=material/surfing_outlined.png f01f7.codepoint=surfing_rounded surfing_rounded=material/surfing_rounded.png ed18.codepoint=surfing_sharp surfing_sharp=material/surfing_sharp.png e623.codepoint=surround_sound surround_sound=material/surround_sound.png f406.codepoint=surround_sound_outlined surround_sound_outlined=material/surround_sound_outlined.png f01f8.codepoint=surround_sound_rounded surround_sound_rounded=material/surround_sound_rounded.png ed19.codepoint=surround_sound_sharp surround_sound_sharp=material/surround_sound_sharp.png e624.codepoint=swap_calls swap_calls=material/swap_calls.png f407.codepoint=swap_calls_outlined swap_calls_outlined=material/swap_calls_outlined.png f01f9.codepoint=swap_calls_rounded swap_calls_rounded=material/swap_calls_rounded.png ed1a.codepoint=swap_calls_sharp swap_calls_sharp=material/swap_calls_sharp.png e625.codepoint=swap_horiz swap_horiz=material/swap_horiz.png f408.codepoint=swap_horiz_outlined swap_horiz_outlined=material/swap_horiz_outlined.png f01fa.codepoint=swap_horiz_rounded swap_horiz_rounded=material/swap_horiz_rounded.png ed1b.codepoint=swap_horiz_sharp swap_horiz_sharp=material/swap_horiz_sharp.png e626.codepoint=swap_horizontal_circle swap_horizontal_circle=material/swap_horizontal_circle.png f409.codepoint=swap_horizontal_circle_outlined swap_horizontal_circle_outlined=material/swap_horizontal_circle_outlined.png f01fb.codepoint=swap_horizontal_circle_rounded swap_horizontal_circle_rounded=material/swap_horizontal_circle_rounded.png ed1c.codepoint=swap_horizontal_circle_sharp swap_horizontal_circle_sharp=material/swap_horizontal_circle_sharp.png e627.codepoint=swap_vert swap_vert=material/swap_vert.png e628.codepoint=swap_vert_circle swap_vert_circle=material/swap_vert_circle.png f40b.codepoint=swap_vert_circle_outlined swap_vert_circle_outlined=material/swap_vert_circle_outlined.png f01fd.codepoint=swap_vert_circle_rounded swap_vert_circle_rounded=material/swap_vert_circle_rounded.png ed1e.codepoint=swap_vert_circle_sharp swap_vert_circle_sharp=material/swap_vert_circle_sharp.png f40a.codepoint=swap_vert_outlined swap_vert_outlined=material/swap_vert_outlined.png f01fc.codepoint=swap_vert_rounded swap_vert_rounded=material/swap_vert_rounded.png ed1d.codepoint=swap_vert_sharp swap_vert_sharp=material/swap_vert_sharp.png # e628.codepoint=swap_vertical_circle swap_vertical_circle=material/swap_vertical_circle.png # f40b.codepoint=swap_vertical_circle_outlined swap_vertical_circle_outlined=material/swap_vertical_circle_outlined.png # f01fd.codepoint=swap_vertical_circle_rounded swap_vertical_circle_rounded=material/swap_vertical_circle_rounded.png # ed1e.codepoint=swap_vertical_circle_sharp swap_vertical_circle_sharp=material/swap_vertical_circle_sharp.png e629.codepoint=swipe swipe=material/swipe.png f0578.codepoint=swipe_down swipe_down=material/swipe_down.png f0577.codepoint=swipe_down_alt swipe_down_alt=material/swipe_down_alt.png f066b.codepoint=swipe_down_alt_outlined swipe_down_alt_outlined=material/swipe_down_alt_outlined.png f038a.codepoint=swipe_down_alt_rounded swipe_down_alt_rounded=material/swipe_down_alt_rounded.png f047d.codepoint=swipe_down_alt_sharp swipe_down_alt_sharp=material/swipe_down_alt_sharp.png f066c.codepoint=swipe_down_outlined swipe_down_outlined=material/swipe_down_outlined.png f038b.codepoint=swipe_down_rounded swipe_down_rounded=material/swipe_down_rounded.png f047e.codepoint=swipe_down_sharp swipe_down_sharp=material/swipe_down_sharp.png f057a.codepoint=swipe_left swipe_left=material/swipe_left.png f0579.codepoint=swipe_left_alt swipe_left_alt=material/swipe_left_alt.png f066d.codepoint=swipe_left_alt_outlined swipe_left_alt_outlined=material/swipe_left_alt_outlined.png f038c.codepoint=swipe_left_alt_rounded swipe_left_alt_rounded=material/swipe_left_alt_rounded.png f047f.codepoint=swipe_left_alt_sharp swipe_left_alt_sharp=material/swipe_left_alt_sharp.png f066e.codepoint=swipe_left_outlined swipe_left_outlined=material/swipe_left_outlined.png f038d.codepoint=swipe_left_rounded swipe_left_rounded=material/swipe_left_rounded.png f0480.codepoint=swipe_left_sharp swipe_left_sharp=material/swipe_left_sharp.png f40c.codepoint=swipe_outlined swipe_outlined=material/swipe_outlined.png f057c.codepoint=swipe_right swipe_right=material/swipe_right.png f057b.codepoint=swipe_right_alt swipe_right_alt=material/swipe_right_alt.png f066f.codepoint=swipe_right_alt_outlined swipe_right_alt_outlined=material/swipe_right_alt_outlined.png f038e.codepoint=swipe_right_alt_rounded swipe_right_alt_rounded=material/swipe_right_alt_rounded.png f0481.codepoint=swipe_right_alt_sharp swipe_right_alt_sharp=material/swipe_right_alt_sharp.png f0670.codepoint=swipe_right_outlined swipe_right_outlined=material/swipe_right_outlined.png f038f.codepoint=swipe_right_rounded swipe_right_rounded=material/swipe_right_rounded.png f0482.codepoint=swipe_right_sharp swipe_right_sharp=material/swipe_right_sharp.png f01fe.codepoint=swipe_rounded swipe_rounded=material/swipe_rounded.png ed1f.codepoint=swipe_sharp swipe_sharp=material/swipe_sharp.png f057e.codepoint=swipe_up swipe_up=material/swipe_up.png f057d.codepoint=swipe_up_alt swipe_up_alt=material/swipe_up_alt.png f0671.codepoint=swipe_up_alt_outlined swipe_up_alt_outlined=material/swipe_up_alt_outlined.png f0390.codepoint=swipe_up_alt_rounded swipe_up_alt_rounded=material/swipe_up_alt_rounded.png f0483.codepoint=swipe_up_alt_sharp swipe_up_alt_sharp=material/swipe_up_alt_sharp.png f0672.codepoint=swipe_up_outlined swipe_up_outlined=material/swipe_up_outlined.png f0391.codepoint=swipe_up_rounded swipe_up_rounded=material/swipe_up_rounded.png f0484.codepoint=swipe_up_sharp swipe_up_sharp=material/swipe_up_sharp.png f057f.codepoint=swipe_vertical swipe_vertical=material/swipe_vertical.png f0673.codepoint=swipe_vertical_outlined swipe_vertical_outlined=material/swipe_vertical_outlined.png f0392.codepoint=swipe_vertical_rounded swipe_vertical_rounded=material/swipe_vertical_rounded.png f0485.codepoint=swipe_vertical_sharp swipe_vertical_sharp=material/swipe_vertical_sharp.png f0581.codepoint=switch_access_shortcut switch_access_shortcut=material/switch_access_shortcut.png f0580.codepoint=switch_access_shortcut_add switch_access_shortcut_add=material/switch_access_shortcut_add.png f0674.codepoint=switch_access_shortcut_add_outlined switch_access_shortcut_add_outlined=material/switch_access_shortcut_add_outlined.png f0393.codepoint=switch_access_shortcut_add_rounded switch_access_shortcut_add_rounded=material/switch_access_shortcut_add_rounded.png f0486.codepoint=switch_access_shortcut_add_sharp switch_access_shortcut_add_sharp=material/switch_access_shortcut_add_sharp.png f0675.codepoint=switch_access_shortcut_outlined switch_access_shortcut_outlined=material/switch_access_shortcut_outlined.png f0394.codepoint=switch_access_shortcut_rounded switch_access_shortcut_rounded=material/switch_access_shortcut_rounded.png f0487.codepoint=switch_access_shortcut_sharp switch_access_shortcut_sharp=material/switch_access_shortcut_sharp.png e62a.codepoint=switch_account switch_account=material/switch_account.png f40d.codepoint=switch_account_outlined switch_account_outlined=material/switch_account_outlined.png f01ff.codepoint=switch_account_rounded switch_account_rounded=material/switch_account_rounded.png ed20.codepoint=switch_account_sharp switch_account_sharp=material/switch_account_sharp.png e62b.codepoint=switch_camera switch_camera=material/switch_camera.png f40e.codepoint=switch_camera_outlined switch_camera_outlined=material/switch_camera_outlined.png f0200.codepoint=switch_camera_rounded switch_camera_rounded=material/switch_camera_rounded.png ed21.codepoint=switch_camera_sharp switch_camera_sharp=material/switch_camera_sharp.png e62c.codepoint=switch_left switch_left=material/switch_left.png f40f.codepoint=switch_left_outlined switch_left_outlined=material/switch_left_outlined.png f0201.codepoint=switch_left_rounded switch_left_rounded=material/switch_left_rounded.png ed22.codepoint=switch_left_sharp switch_left_sharp=material/switch_left_sharp.png e62d.codepoint=switch_right switch_right=material/switch_right.png f410.codepoint=switch_right_outlined switch_right_outlined=material/switch_right_outlined.png f0202.codepoint=switch_right_rounded switch_right_rounded=material/switch_right_rounded.png ed23.codepoint=switch_right_sharp switch_right_sharp=material/switch_right_sharp.png e62e.codepoint=switch_video switch_video=material/switch_video.png f411.codepoint=switch_video_outlined switch_video_outlined=material/switch_video_outlined.png f0203.codepoint=switch_video_rounded switch_video_rounded=material/switch_video_rounded.png ed24.codepoint=switch_video_sharp switch_video_sharp=material/switch_video_sharp.png f0582.codepoint=synagogue synagogue=material/synagogue.png f0676.codepoint=synagogue_outlined synagogue_outlined=material/synagogue_outlined.png f0395.codepoint=synagogue_rounded synagogue_rounded=material/synagogue_rounded.png f0488.codepoint=synagogue_sharp synagogue_sharp=material/synagogue_sharp.png e62f.codepoint=sync sync=material/sync.png e630.codepoint=sync_alt sync_alt=material/sync_alt.png f412.codepoint=sync_alt_outlined sync_alt_outlined=material/sync_alt_outlined.png f0204.codepoint=sync_alt_rounded sync_alt_rounded=material/sync_alt_rounded.png ed25.codepoint=sync_alt_sharp sync_alt_sharp=material/sync_alt_sharp.png e631.codepoint=sync_disabled sync_disabled=material/sync_disabled.png f413.codepoint=sync_disabled_outlined sync_disabled_outlined=material/sync_disabled_outlined.png f0205.codepoint=sync_disabled_rounded sync_disabled_rounded=material/sync_disabled_rounded.png ed26.codepoint=sync_disabled_sharp sync_disabled_sharp=material/sync_disabled_sharp.png f0583.codepoint=sync_lock sync_lock=material/sync_lock.png f0677.codepoint=sync_lock_outlined sync_lock_outlined=material/sync_lock_outlined.png f0396.codepoint=sync_lock_rounded sync_lock_rounded=material/sync_lock_rounded.png f0489.codepoint=sync_lock_sharp sync_lock_sharp=material/sync_lock_sharp.png f414.codepoint=sync_outlined sync_outlined=material/sync_outlined.png e632.codepoint=sync_problem sync_problem=material/sync_problem.png f415.codepoint=sync_problem_outlined sync_problem_outlined=material/sync_problem_outlined.png f0206.codepoint=sync_problem_rounded sync_problem_rounded=material/sync_problem_rounded.png ed27.codepoint=sync_problem_sharp sync_problem_sharp=material/sync_problem_sharp.png f0207.codepoint=sync_rounded sync_rounded=material/sync_rounded.png ed28.codepoint=sync_sharp sync_sharp=material/sync_sharp.png e633.codepoint=system_security_update system_security_update=material/system_security_update.png e634.codepoint=system_security_update_good system_security_update_good=material/system_security_update_good.png f416.codepoint=system_security_update_good_outlined system_security_update_good_outlined=material/system_security_update_good_outlined.png f0208.codepoint=system_security_update_good_rounded system_security_update_good_rounded=material/system_security_update_good_rounded.png ed29.codepoint=system_security_update_good_sharp system_security_update_good_sharp=material/system_security_update_good_sharp.png f417.codepoint=system_security_update_outlined system_security_update_outlined=material/system_security_update_outlined.png f0209.codepoint=system_security_update_rounded system_security_update_rounded=material/system_security_update_rounded.png ed2a.codepoint=system_security_update_sharp system_security_update_sharp=material/system_security_update_sharp.png e635.codepoint=system_security_update_warning system_security_update_warning=material/system_security_update_warning.png f418.codepoint=system_security_update_warning_outlined system_security_update_warning_outlined=material/system_security_update_warning_outlined.png f020a.codepoint=system_security_update_warning_rounded system_security_update_warning_rounded=material/system_security_update_warning_rounded.png ed2b.codepoint=system_security_update_warning_sharp system_security_update_warning_sharp=material/system_security_update_warning_sharp.png e636.codepoint=system_update system_update=material/system_update.png e637.codepoint=system_update_alt system_update_alt=material/system_update_alt.png f419.codepoint=system_update_alt_outlined system_update_alt_outlined=material/system_update_alt_outlined.png f020b.codepoint=system_update_alt_rounded system_update_alt_rounded=material/system_update_alt_rounded.png ed2c.codepoint=system_update_alt_sharp system_update_alt_sharp=material/system_update_alt_sharp.png f41a.codepoint=system_update_outlined system_update_outlined=material/system_update_outlined.png f020c.codepoint=system_update_rounded system_update_rounded=material/system_update_rounded.png ed2d.codepoint=system_update_sharp system_update_sharp=material/system_update_sharp.png # e637.codepoint=system_update_tv system_update_tv=material/system_update_tv.png # f419.codepoint=system_update_tv_outlined system_update_tv_outlined=material/system_update_tv_outlined.png # f020b.codepoint=system_update_tv_rounded system_update_tv_rounded=material/system_update_tv_rounded.png # ed2c.codepoint=system_update_tv_sharp system_update_tv_sharp=material/system_update_tv_sharp.png e638.codepoint=tab tab=material/tab.png f41b.codepoint=tab_outlined tab_outlined=material/tab_outlined.png f020d.codepoint=tab_rounded tab_rounded=material/tab_rounded.png ed2e.codepoint=tab_sharp tab_sharp=material/tab_sharp.png e639.codepoint=tab_unselected tab_unselected=material/tab_unselected.png f41c.codepoint=tab_unselected_outlined tab_unselected_outlined=material/tab_unselected_outlined.png f020e.codepoint=tab_unselected_rounded tab_unselected_rounded=material/tab_unselected_rounded.png ed2f.codepoint=tab_unselected_sharp tab_unselected_sharp=material/tab_unselected_sharp.png f0584.codepoint=table_bar table_bar=material/table_bar.png f0678.codepoint=table_bar_outlined table_bar_outlined=material/table_bar_outlined.png f0397.codepoint=table_bar_rounded table_bar_rounded=material/table_bar_rounded.png f048a.codepoint=table_bar_sharp table_bar_sharp=material/table_bar_sharp.png e63a.codepoint=table_chart table_chart=material/table_chart.png f41d.codepoint=table_chart_outlined table_chart_outlined=material/table_chart_outlined.png f020f.codepoint=table_chart_rounded table_chart_rounded=material/table_chart_rounded.png ed30.codepoint=table_chart_sharp table_chart_sharp=material/table_chart_sharp.png f0585.codepoint=table_restaurant table_restaurant=material/table_restaurant.png f0679.codepoint=table_restaurant_outlined table_restaurant_outlined=material/table_restaurant_outlined.png f0398.codepoint=table_restaurant_rounded table_restaurant_rounded=material/table_restaurant_rounded.png f048b.codepoint=table_restaurant_sharp table_restaurant_sharp=material/table_restaurant_sharp.png e63b.codepoint=table_rows table_rows=material/table_rows.png f41e.codepoint=table_rows_outlined table_rows_outlined=material/table_rows_outlined.png f0210.codepoint=table_rows_rounded table_rows_rounded=material/table_rows_rounded.png ed31.codepoint=table_rows_sharp table_rows_sharp=material/table_rows_sharp.png e63c.codepoint=table_view table_view=material/table_view.png f41f.codepoint=table_view_outlined table_view_outlined=material/table_view_outlined.png f0211.codepoint=table_view_rounded table_view_rounded=material/table_view_rounded.png ed32.codepoint=table_view_sharp table_view_sharp=material/table_view_sharp.png e63d.codepoint=tablet tablet=material/tablet.png e63e.codepoint=tablet_android tablet_android=material/tablet_android.png f420.codepoint=tablet_android_outlined tablet_android_outlined=material/tablet_android_outlined.png f0212.codepoint=tablet_android_rounded tablet_android_rounded=material/tablet_android_rounded.png ed33.codepoint=tablet_android_sharp tablet_android_sharp=material/tablet_android_sharp.png e63f.codepoint=tablet_mac tablet_mac=material/tablet_mac.png f421.codepoint=tablet_mac_outlined tablet_mac_outlined=material/tablet_mac_outlined.png f0213.codepoint=tablet_mac_rounded tablet_mac_rounded=material/tablet_mac_rounded.png ed34.codepoint=tablet_mac_sharp tablet_mac_sharp=material/tablet_mac_sharp.png f422.codepoint=tablet_outlined tablet_outlined=material/tablet_outlined.png f0214.codepoint=tablet_rounded tablet_rounded=material/tablet_rounded.png ed35.codepoint=tablet_sharp tablet_sharp=material/tablet_sharp.png e640.codepoint=tag tag=material/tag.png e641.codepoint=tag_faces tag_faces=material/tag_faces.png f423.codepoint=tag_faces_outlined tag_faces_outlined=material/tag_faces_outlined.png f0215.codepoint=tag_faces_rounded tag_faces_rounded=material/tag_faces_rounded.png ed36.codepoint=tag_faces_sharp tag_faces_sharp=material/tag_faces_sharp.png f424.codepoint=tag_outlined tag_outlined=material/tag_outlined.png f0216.codepoint=tag_rounded tag_rounded=material/tag_rounded.png ed37.codepoint=tag_sharp tag_sharp=material/tag_sharp.png e642.codepoint=takeout_dining takeout_dining=material/takeout_dining.png f425.codepoint=takeout_dining_outlined takeout_dining_outlined=material/takeout_dining_outlined.png f0217.codepoint=takeout_dining_rounded takeout_dining_rounded=material/takeout_dining_rounded.png ed38.codepoint=takeout_dining_sharp takeout_dining_sharp=material/takeout_dining_sharp.png e643.codepoint=tap_and_play tap_and_play=material/tap_and_play.png f426.codepoint=tap_and_play_outlined tap_and_play_outlined=material/tap_and_play_outlined.png f0218.codepoint=tap_and_play_rounded tap_and_play_rounded=material/tap_and_play_rounded.png ed39.codepoint=tap_and_play_sharp tap_and_play_sharp=material/tap_and_play_sharp.png e644.codepoint=tapas tapas=material/tapas.png f427.codepoint=tapas_outlined tapas_outlined=material/tapas_outlined.png f0219.codepoint=tapas_rounded tapas_rounded=material/tapas_rounded.png ed3a.codepoint=tapas_sharp tapas_sharp=material/tapas_sharp.png e645.codepoint=task task=material/task.png e646.codepoint=task_alt task_alt=material/task_alt.png f428.codepoint=task_alt_outlined task_alt_outlined=material/task_alt_outlined.png f021a.codepoint=task_alt_rounded task_alt_rounded=material/task_alt_rounded.png ed3b.codepoint=task_alt_sharp task_alt_sharp=material/task_alt_sharp.png f429.codepoint=task_outlined task_outlined=material/task_outlined.png f021b.codepoint=task_rounded task_rounded=material/task_rounded.png ed3c.codepoint=task_sharp task_sharp=material/task_sharp.png e647.codepoint=taxi_alert taxi_alert=material/taxi_alert.png f42a.codepoint=taxi_alert_outlined taxi_alert_outlined=material/taxi_alert_outlined.png f021c.codepoint=taxi_alert_rounded taxi_alert_rounded=material/taxi_alert_rounded.png ed3d.codepoint=taxi_alert_sharp taxi_alert_sharp=material/taxi_alert_sharp.png f0586.codepoint=telegram telegram=material/telegram.png f067a.codepoint=telegram_outlined telegram_outlined=material/telegram_outlined.png f0399.codepoint=telegram_rounded telegram_rounded=material/telegram_rounded.png f048c.codepoint=telegram_sharp telegram_sharp=material/telegram_sharp.png f0587.codepoint=temple_buddhist temple_buddhist=material/temple_buddhist.png f067b.codepoint=temple_buddhist_outlined temple_buddhist_outlined=material/temple_buddhist_outlined.png f039a.codepoint=temple_buddhist_rounded temple_buddhist_rounded=material/temple_buddhist_rounded.png f048d.codepoint=temple_buddhist_sharp temple_buddhist_sharp=material/temple_buddhist_sharp.png f0588.codepoint=temple_hindu temple_hindu=material/temple_hindu.png f067c.codepoint=temple_hindu_outlined temple_hindu_outlined=material/temple_hindu_outlined.png f039b.codepoint=temple_hindu_rounded temple_hindu_rounded=material/temple_hindu_rounded.png f048e.codepoint=temple_hindu_sharp temple_hindu_sharp=material/temple_hindu_sharp.png e000.codepoint=ten_k ten_k=material/ten_k.png edf2.codepoint=ten_k_outlined ten_k_outlined=material/ten_k_outlined.png f4df.codepoint=ten_k_rounded ten_k_rounded=material/ten_k_rounded.png e700.codepoint=ten_k_sharp ten_k_sharp=material/ten_k_sharp.png e001.codepoint=ten_mp ten_mp=material/ten_mp.png edf3.codepoint=ten_mp_outlined ten_mp_outlined=material/ten_mp_outlined.png f4e0.codepoint=ten_mp_rounded ten_mp_rounded=material/ten_mp_rounded.png e701.codepoint=ten_mp_sharp ten_mp_sharp=material/ten_mp_sharp.png f0589.codepoint=terminal terminal=material/terminal.png f067d.codepoint=terminal_outlined terminal_outlined=material/terminal_outlined.png f039c.codepoint=terminal_rounded terminal_rounded=material/terminal_rounded.png f048f.codepoint=terminal_sharp terminal_sharp=material/terminal_sharp.png e648.codepoint=terrain terrain=material/terrain.png f42b.codepoint=terrain_outlined terrain_outlined=material/terrain_outlined.png f021d.codepoint=terrain_rounded terrain_rounded=material/terrain_rounded.png ed3e.codepoint=terrain_sharp terrain_sharp=material/terrain_sharp.png f058a.codepoint=text_decrease text_decrease=material/text_decrease.png f067e.codepoint=text_decrease_outlined text_decrease_outlined=material/text_decrease_outlined.png f039d.codepoint=text_decrease_rounded text_decrease_rounded=material/text_decrease_rounded.png f0490.codepoint=text_decrease_sharp text_decrease_sharp=material/text_decrease_sharp.png e649.codepoint=text_fields text_fields=material/text_fields.png f42c.codepoint=text_fields_outlined text_fields_outlined=material/text_fields_outlined.png f021e.codepoint=text_fields_rounded text_fields_rounded=material/text_fields_rounded.png ed3f.codepoint=text_fields_sharp text_fields_sharp=material/text_fields_sharp.png e64a.codepoint=text_format text_format=material/text_format.png f42d.codepoint=text_format_outlined text_format_outlined=material/text_format_outlined.png f021f.codepoint=text_format_rounded text_format_rounded=material/text_format_rounded.png ed40.codepoint=text_format_sharp text_format_sharp=material/text_format_sharp.png f058b.codepoint=text_increase text_increase=material/text_increase.png f067f.codepoint=text_increase_outlined text_increase_outlined=material/text_increase_outlined.png f039e.codepoint=text_increase_rounded text_increase_rounded=material/text_increase_rounded.png f0491.codepoint=text_increase_sharp text_increase_sharp=material/text_increase_sharp.png e64b.codepoint=text_rotate_up text_rotate_up=material/text_rotate_up.png f42e.codepoint=text_rotate_up_outlined text_rotate_up_outlined=material/text_rotate_up_outlined.png f0220.codepoint=text_rotate_up_rounded text_rotate_up_rounded=material/text_rotate_up_rounded.png ed41.codepoint=text_rotate_up_sharp text_rotate_up_sharp=material/text_rotate_up_sharp.png e64c.codepoint=text_rotate_vertical text_rotate_vertical=material/text_rotate_vertical.png f42f.codepoint=text_rotate_vertical_outlined text_rotate_vertical_outlined=material/text_rotate_vertical_outlined.png f0221.codepoint=text_rotate_vertical_rounded text_rotate_vertical_rounded=material/text_rotate_vertical_rounded.png ed42.codepoint=text_rotate_vertical_sharp text_rotate_vertical_sharp=material/text_rotate_vertical_sharp.png e64d.codepoint=text_rotation_angledown text_rotation_angledown=material/text_rotation_angledown.png f430.codepoint=text_rotation_angledown_outlined text_rotation_angledown_outlined=material/text_rotation_angledown_outlined.png f0222.codepoint=text_rotation_angledown_rounded text_rotation_angledown_rounded=material/text_rotation_angledown_rounded.png ed43.codepoint=text_rotation_angledown_sharp text_rotation_angledown_sharp=material/text_rotation_angledown_sharp.png e64e.codepoint=text_rotation_angleup text_rotation_angleup=material/text_rotation_angleup.png f431.codepoint=text_rotation_angleup_outlined text_rotation_angleup_outlined=material/text_rotation_angleup_outlined.png f0223.codepoint=text_rotation_angleup_rounded text_rotation_angleup_rounded=material/text_rotation_angleup_rounded.png ed44.codepoint=text_rotation_angleup_sharp text_rotation_angleup_sharp=material/text_rotation_angleup_sharp.png e64f.codepoint=text_rotation_down text_rotation_down=material/text_rotation_down.png f432.codepoint=text_rotation_down_outlined text_rotation_down_outlined=material/text_rotation_down_outlined.png f0224.codepoint=text_rotation_down_rounded text_rotation_down_rounded=material/text_rotation_down_rounded.png ed45.codepoint=text_rotation_down_sharp text_rotation_down_sharp=material/text_rotation_down_sharp.png e650.codepoint=text_rotation_none text_rotation_none=material/text_rotation_none.png f433.codepoint=text_rotation_none_outlined text_rotation_none_outlined=material/text_rotation_none_outlined.png f0225.codepoint=text_rotation_none_rounded text_rotation_none_rounded=material/text_rotation_none_rounded.png ed46.codepoint=text_rotation_none_sharp text_rotation_none_sharp=material/text_rotation_none_sharp.png e651.codepoint=text_snippet text_snippet=material/text_snippet.png f434.codepoint=text_snippet_outlined text_snippet_outlined=material/text_snippet_outlined.png f0226.codepoint=text_snippet_rounded text_snippet_rounded=material/text_snippet_rounded.png ed47.codepoint=text_snippet_sharp text_snippet_sharp=material/text_snippet_sharp.png e652.codepoint=textsms textsms=material/textsms.png f435.codepoint=textsms_outlined textsms_outlined=material/textsms_outlined.png f0227.codepoint=textsms_rounded textsms_rounded=material/textsms_rounded.png ed48.codepoint=textsms_sharp textsms_sharp=material/textsms_sharp.png e653.codepoint=texture texture=material/texture.png f436.codepoint=texture_outlined texture_outlined=material/texture_outlined.png f0228.codepoint=texture_rounded texture_rounded=material/texture_rounded.png ed49.codepoint=texture_sharp texture_sharp=material/texture_sharp.png e654.codepoint=theater_comedy theater_comedy=material/theater_comedy.png f437.codepoint=theater_comedy_outlined theater_comedy_outlined=material/theater_comedy_outlined.png f0229.codepoint=theater_comedy_rounded theater_comedy_rounded=material/theater_comedy_rounded.png ed4a.codepoint=theater_comedy_sharp theater_comedy_sharp=material/theater_comedy_sharp.png e655.codepoint=theaters theaters=material/theaters.png f438.codepoint=theaters_outlined theaters_outlined=material/theaters_outlined.png f022a.codepoint=theaters_rounded theaters_rounded=material/theaters_rounded.png ed4b.codepoint=theaters_sharp theaters_sharp=material/theaters_sharp.png e656.codepoint=thermostat thermostat=material/thermostat.png e657.codepoint=thermostat_auto thermostat_auto=material/thermostat_auto.png f439.codepoint=thermostat_auto_outlined thermostat_auto_outlined=material/thermostat_auto_outlined.png f022b.codepoint=thermostat_auto_rounded thermostat_auto_rounded=material/thermostat_auto_rounded.png ed4c.codepoint=thermostat_auto_sharp thermostat_auto_sharp=material/thermostat_auto_sharp.png f43a.codepoint=thermostat_outlined thermostat_outlined=material/thermostat_outlined.png f022c.codepoint=thermostat_rounded thermostat_rounded=material/thermostat_rounded.png ed4d.codepoint=thermostat_sharp thermostat_sharp=material/thermostat_sharp.png e004.codepoint=thirteen_mp thirteen_mp=material/thirteen_mp.png edf6.codepoint=thirteen_mp_outlined thirteen_mp_outlined=material/thirteen_mp_outlined.png f4e3.codepoint=thirteen_mp_rounded thirteen_mp_rounded=material/thirteen_mp_rounded.png e704.codepoint=thirteen_mp_sharp thirteen_mp_sharp=material/thirteen_mp_sharp.png e016.codepoint=thirty_fps thirty_fps=material/thirty_fps.png ee08.codepoint=thirty_fps_outlined thirty_fps_outlined=material/thirty_fps_outlined.png f4f5.codepoint=thirty_fps_rounded thirty_fps_rounded=material/thirty_fps_rounded.png e017.codepoint=thirty_fps_select thirty_fps_select=material/thirty_fps_select.png ee09.codepoint=thirty_fps_select_outlined thirty_fps_select_outlined=material/thirty_fps_select_outlined.png f4f6.codepoint=thirty_fps_select_rounded thirty_fps_select_rounded=material/thirty_fps_select_rounded.png e716.codepoint=thirty_fps_select_sharp thirty_fps_select_sharp=material/thirty_fps_select_sharp.png e717.codepoint=thirty_fps_sharp thirty_fps_sharp=material/thirty_fps_sharp.png e01a.codepoint=three_g_mobiledata three_g_mobiledata=material/three_g_mobiledata.png ee0c.codepoint=three_g_mobiledata_outlined three_g_mobiledata_outlined=material/three_g_mobiledata_outlined.png f4f9.codepoint=three_g_mobiledata_rounded three_g_mobiledata_rounded=material/three_g_mobiledata_rounded.png e71a.codepoint=three_g_mobiledata_sharp three_g_mobiledata_sharp=material/three_g_mobiledata_sharp.png e01b.codepoint=three_k three_k=material/three_k.png ee0d.codepoint=three_k_outlined three_k_outlined=material/three_k_outlined.png e01c.codepoint=three_k_plus three_k_plus=material/three_k_plus.png ee0e.codepoint=three_k_plus_outlined three_k_plus_outlined=material/three_k_plus_outlined.png f4fa.codepoint=three_k_plus_rounded three_k_plus_rounded=material/three_k_plus_rounded.png e71b.codepoint=three_k_plus_sharp three_k_plus_sharp=material/three_k_plus_sharp.png f4fb.codepoint=three_k_rounded three_k_rounded=material/three_k_rounded.png e71c.codepoint=three_k_sharp three_k_sharp=material/three_k_sharp.png e01d.codepoint=three_mp three_mp=material/three_mp.png ee0f.codepoint=three_mp_outlined three_mp_outlined=material/three_mp_outlined.png f4fc.codepoint=three_mp_rounded three_mp_rounded=material/three_mp_rounded.png e71d.codepoint=three_mp_sharp three_mp_sharp=material/three_mp_sharp.png e01e.codepoint=three_p three_p=material/three_p.png ee10.codepoint=three_p_outlined three_p_outlined=material/three_p_outlined.png f4fd.codepoint=three_p_rounded three_p_rounded=material/three_p_rounded.png e71e.codepoint=three_p_sharp three_p_sharp=material/three_p_sharp.png e019.codepoint=threed_rotation threed_rotation=material/threed_rotation.png ee0b.codepoint=threed_rotation_outlined threed_rotation_outlined=material/threed_rotation_outlined.png f4f8.codepoint=threed_rotation_rounded threed_rotation_rounded=material/threed_rotation_rounded.png e719.codepoint=threed_rotation_sharp threed_rotation_sharp=material/threed_rotation_sharp.png e018.codepoint=threesixty threesixty=material/threesixty.png ee0a.codepoint=threesixty_outlined threesixty_outlined=material/threesixty_outlined.png f4f7.codepoint=threesixty_rounded threesixty_rounded=material/threesixty_rounded.png e718.codepoint=threesixty_sharp threesixty_sharp=material/threesixty_sharp.png e658.codepoint=thumb_down thumb_down=material/thumb_down.png e659.codepoint=thumb_down_alt thumb_down_alt=material/thumb_down_alt.png f43b.codepoint=thumb_down_alt_outlined thumb_down_alt_outlined=material/thumb_down_alt_outlined.png f022d.codepoint=thumb_down_alt_rounded thumb_down_alt_rounded=material/thumb_down_alt_rounded.png ed4e.codepoint=thumb_down_alt_sharp thumb_down_alt_sharp=material/thumb_down_alt_sharp.png e65a.codepoint=thumb_down_off_alt thumb_down_off_alt=material/thumb_down_off_alt.png f43c.codepoint=thumb_down_off_alt_outlined thumb_down_off_alt_outlined=material/thumb_down_off_alt_outlined.png f022e.codepoint=thumb_down_off_alt_rounded thumb_down_off_alt_rounded=material/thumb_down_off_alt_rounded.png ed4f.codepoint=thumb_down_off_alt_sharp thumb_down_off_alt_sharp=material/thumb_down_off_alt_sharp.png f43d.codepoint=thumb_down_outlined thumb_down_outlined=material/thumb_down_outlined.png f022f.codepoint=thumb_down_rounded thumb_down_rounded=material/thumb_down_rounded.png ed50.codepoint=thumb_down_sharp thumb_down_sharp=material/thumb_down_sharp.png e65b.codepoint=thumb_up thumb_up=material/thumb_up.png e65c.codepoint=thumb_up_alt thumb_up_alt=material/thumb_up_alt.png f43e.codepoint=thumb_up_alt_outlined thumb_up_alt_outlined=material/thumb_up_alt_outlined.png f0230.codepoint=thumb_up_alt_rounded thumb_up_alt_rounded=material/thumb_up_alt_rounded.png ed51.codepoint=thumb_up_alt_sharp thumb_up_alt_sharp=material/thumb_up_alt_sharp.png e65d.codepoint=thumb_up_off_alt thumb_up_off_alt=material/thumb_up_off_alt.png f43f.codepoint=thumb_up_off_alt_outlined thumb_up_off_alt_outlined=material/thumb_up_off_alt_outlined.png f0231.codepoint=thumb_up_off_alt_rounded thumb_up_off_alt_rounded=material/thumb_up_off_alt_rounded.png ed52.codepoint=thumb_up_off_alt_sharp thumb_up_off_alt_sharp=material/thumb_up_off_alt_sharp.png f440.codepoint=thumb_up_outlined thumb_up_outlined=material/thumb_up_outlined.png f0232.codepoint=thumb_up_rounded thumb_up_rounded=material/thumb_up_rounded.png ed53.codepoint=thumb_up_sharp thumb_up_sharp=material/thumb_up_sharp.png e65e.codepoint=thumbs_up_down thumbs_up_down=material/thumbs_up_down.png f441.codepoint=thumbs_up_down_outlined thumbs_up_down_outlined=material/thumbs_up_down_outlined.png f0233.codepoint=thumbs_up_down_rounded thumbs_up_down_rounded=material/thumbs_up_down_rounded.png ed54.codepoint=thumbs_up_down_sharp thumbs_up_down_sharp=material/thumbs_up_down_sharp.png f07cb.codepoint=thunderstorm thunderstorm=material/thunderstorm.png f071b.codepoint=thunderstorm_outlined thunderstorm_outlined=material/thunderstorm_outlined.png f0823.codepoint=thunderstorm_rounded thunderstorm_rounded=material/thunderstorm_rounded.png f0773.codepoint=thunderstorm_sharp thunderstorm_sharp=material/thunderstorm_sharp.png f058c.codepoint=tiktok tiktok=material/tiktok.png f0680.codepoint=tiktok_outlined tiktok_outlined=material/tiktok_outlined.png f039f.codepoint=tiktok_rounded tiktok_rounded=material/tiktok_rounded.png f0492.codepoint=tiktok_sharp tiktok_sharp=material/tiktok_sharp.png e65f.codepoint=time_to_leave time_to_leave=material/time_to_leave.png f442.codepoint=time_to_leave_outlined time_to_leave_outlined=material/time_to_leave_outlined.png f0234.codepoint=time_to_leave_rounded time_to_leave_rounded=material/time_to_leave_rounded.png ed55.codepoint=time_to_leave_sharp time_to_leave_sharp=material/time_to_leave_sharp.png e660.codepoint=timelapse timelapse=material/timelapse.png f443.codepoint=timelapse_outlined timelapse_outlined=material/timelapse_outlined.png f0235.codepoint=timelapse_rounded timelapse_rounded=material/timelapse_rounded.png ed56.codepoint=timelapse_sharp timelapse_sharp=material/timelapse_sharp.png e661.codepoint=timeline timeline=material/timeline.png f444.codepoint=timeline_outlined timeline_outlined=material/timeline_outlined.png f0236.codepoint=timeline_rounded timeline_rounded=material/timeline_rounded.png ed57.codepoint=timeline_sharp timeline_sharp=material/timeline_sharp.png e662.codepoint=timer timer=material/timer.png e663.codepoint=timer_10 timer_10=material/timer_10.png f445.codepoint=timer_10_outlined timer_10_outlined=material/timer_10_outlined.png f0237.codepoint=timer_10_rounded timer_10_rounded=material/timer_10_rounded.png e664.codepoint=timer_10_select timer_10_select=material/timer_10_select.png f446.codepoint=timer_10_select_outlined timer_10_select_outlined=material/timer_10_select_outlined.png f0238.codepoint=timer_10_select_rounded timer_10_select_rounded=material/timer_10_select_rounded.png ed58.codepoint=timer_10_select_sharp timer_10_select_sharp=material/timer_10_select_sharp.png ed59.codepoint=timer_10_sharp timer_10_sharp=material/timer_10_sharp.png e665.codepoint=timer_3 timer_3=material/timer_3.png f447.codepoint=timer_3_outlined timer_3_outlined=material/timer_3_outlined.png f0239.codepoint=timer_3_rounded timer_3_rounded=material/timer_3_rounded.png e666.codepoint=timer_3_select timer_3_select=material/timer_3_select.png f448.codepoint=timer_3_select_outlined timer_3_select_outlined=material/timer_3_select_outlined.png f023a.codepoint=timer_3_select_rounded timer_3_select_rounded=material/timer_3_select_rounded.png ed5a.codepoint=timer_3_select_sharp timer_3_select_sharp=material/timer_3_select_sharp.png ed5b.codepoint=timer_3_sharp timer_3_sharp=material/timer_3_sharp.png e667.codepoint=timer_off timer_off=material/timer_off.png f449.codepoint=timer_off_outlined timer_off_outlined=material/timer_off_outlined.png f023b.codepoint=timer_off_rounded timer_off_rounded=material/timer_off_rounded.png ed5c.codepoint=timer_off_sharp timer_off_sharp=material/timer_off_sharp.png f44a.codepoint=timer_outlined timer_outlined=material/timer_outlined.png f023c.codepoint=timer_rounded timer_rounded=material/timer_rounded.png ed5d.codepoint=timer_sharp timer_sharp=material/timer_sharp.png f058d.codepoint=tips_and_updates tips_and_updates=material/tips_and_updates.png f0681.codepoint=tips_and_updates_outlined tips_and_updates_outlined=material/tips_and_updates_outlined.png f03a0.codepoint=tips_and_updates_rounded tips_and_updates_rounded=material/tips_and_updates_rounded.png f0493.codepoint=tips_and_updates_sharp tips_and_updates_sharp=material/tips_and_updates_sharp.png f06c4.codepoint=tire_repair tire_repair=material/tire_repair.png f06aa.codepoint=tire_repair_outlined tire_repair_outlined=material/tire_repair_outlined.png f06d1.codepoint=tire_repair_rounded tire_repair_rounded=material/tire_repair_rounded.png f06b7.codepoint=tire_repair_sharp tire_repair_sharp=material/tire_repair_sharp.png e668.codepoint=title title=material/title.png f44b.codepoint=title_outlined title_outlined=material/title_outlined.png f023d.codepoint=title_rounded title_rounded=material/title_rounded.png ed5e.codepoint=title_sharp title_sharp=material/title_sharp.png e669.codepoint=toc toc=material/toc.png f44c.codepoint=toc_outlined toc_outlined=material/toc_outlined.png f023e.codepoint=toc_rounded toc_rounded=material/toc_rounded.png ed5f.codepoint=toc_sharp toc_sharp=material/toc_sharp.png e66a.codepoint=today today=material/today.png f44d.codepoint=today_outlined today_outlined=material/today_outlined.png f023f.codepoint=today_rounded today_rounded=material/today_rounded.png ed60.codepoint=today_sharp today_sharp=material/today_sharp.png e66b.codepoint=toggle_off toggle_off=material/toggle_off.png f44e.codepoint=toggle_off_outlined toggle_off_outlined=material/toggle_off_outlined.png f0240.codepoint=toggle_off_rounded toggle_off_rounded=material/toggle_off_rounded.png ed61.codepoint=toggle_off_sharp toggle_off_sharp=material/toggle_off_sharp.png e66c.codepoint=toggle_on toggle_on=material/toggle_on.png f44f.codepoint=toggle_on_outlined toggle_on_outlined=material/toggle_on_outlined.png f0241.codepoint=toggle_on_rounded toggle_on_rounded=material/toggle_on_rounded.png ed62.codepoint=toggle_on_sharp toggle_on_sharp=material/toggle_on_sharp.png f058e.codepoint=token token=material/token.png f0682.codepoint=token_outlined token_outlined=material/token_outlined.png f03a1.codepoint=token_rounded token_rounded=material/token_rounded.png f0494.codepoint=token_sharp token_sharp=material/token_sharp.png e66d.codepoint=toll toll=material/toll.png f450.codepoint=toll_outlined toll_outlined=material/toll_outlined.png f0242.codepoint=toll_rounded toll_rounded=material/toll_rounded.png ed63.codepoint=toll_sharp toll_sharp=material/toll_sharp.png e66e.codepoint=tonality tonality=material/tonality.png f451.codepoint=tonality_outlined tonality_outlined=material/tonality_outlined.png f0243.codepoint=tonality_rounded tonality_rounded=material/tonality_rounded.png ed64.codepoint=tonality_sharp tonality_sharp=material/tonality_sharp.png e66f.codepoint=topic topic=material/topic.png f452.codepoint=topic_outlined topic_outlined=material/topic_outlined.png f0244.codepoint=topic_rounded topic_rounded=material/topic_rounded.png ed65.codepoint=topic_sharp topic_sharp=material/topic_sharp.png f07cc.codepoint=tornado tornado=material/tornado.png f071c.codepoint=tornado_outlined tornado_outlined=material/tornado_outlined.png f0824.codepoint=tornado_rounded tornado_rounded=material/tornado_rounded.png f0774.codepoint=tornado_sharp tornado_sharp=material/tornado_sharp.png e670.codepoint=touch_app touch_app=material/touch_app.png f453.codepoint=touch_app_outlined touch_app_outlined=material/touch_app_outlined.png f0245.codepoint=touch_app_rounded touch_app_rounded=material/touch_app_rounded.png ed66.codepoint=touch_app_sharp touch_app_sharp=material/touch_app_sharp.png e671.codepoint=tour tour=material/tour.png f454.codepoint=tour_outlined tour_outlined=material/tour_outlined.png f0246.codepoint=tour_rounded tour_rounded=material/tour_rounded.png ed67.codepoint=tour_sharp tour_sharp=material/tour_sharp.png e672.codepoint=toys toys=material/toys.png f455.codepoint=toys_outlined toys_outlined=material/toys_outlined.png f0247.codepoint=toys_rounded toys_rounded=material/toys_rounded.png ed68.codepoint=toys_sharp toys_sharp=material/toys_sharp.png e673.codepoint=track_changes track_changes=material/track_changes.png f456.codepoint=track_changes_outlined track_changes_outlined=material/track_changes_outlined.png f0248.codepoint=track_changes_rounded track_changes_rounded=material/track_changes_rounded.png ed69.codepoint=track_changes_sharp track_changes_sharp=material/track_changes_sharp.png e674.codepoint=traffic traffic=material/traffic.png f457.codepoint=traffic_outlined traffic_outlined=material/traffic_outlined.png f0249.codepoint=traffic_rounded traffic_rounded=material/traffic_rounded.png ed6a.codepoint=traffic_sharp traffic_sharp=material/traffic_sharp.png e675.codepoint=train train=material/train.png f458.codepoint=train_outlined train_outlined=material/train_outlined.png f024a.codepoint=train_rounded train_rounded=material/train_rounded.png ed6b.codepoint=train_sharp train_sharp=material/train_sharp.png e676.codepoint=tram tram=material/tram.png f459.codepoint=tram_outlined tram_outlined=material/tram_outlined.png f024b.codepoint=tram_rounded tram_rounded=material/tram_rounded.png ed6c.codepoint=tram_sharp tram_sharp=material/tram_sharp.png f07cd.codepoint=transcribe transcribe=material/transcribe.png f071d.codepoint=transcribe_outlined transcribe_outlined=material/transcribe_outlined.png f0825.codepoint=transcribe_rounded transcribe_rounded=material/transcribe_rounded.png f0775.codepoint=transcribe_sharp transcribe_sharp=material/transcribe_sharp.png e677.codepoint=transfer_within_a_station transfer_within_a_station=material/transfer_within_a_station.png f45a.codepoint=transfer_within_a_station_outlined transfer_within_a_station_outlined=material/transfer_within_a_station_outlined.png f024c.codepoint=transfer_within_a_station_rounded transfer_within_a_station_rounded=material/transfer_within_a_station_rounded.png ed6d.codepoint=transfer_within_a_station_sharp transfer_within_a_station_sharp=material/transfer_within_a_station_sharp.png e678.codepoint=transform transform=material/transform.png f45b.codepoint=transform_outlined transform_outlined=material/transform_outlined.png f024d.codepoint=transform_rounded transform_rounded=material/transform_rounded.png ed6e.codepoint=transform_sharp transform_sharp=material/transform_sharp.png e679.codepoint=transgender transgender=material/transgender.png f45c.codepoint=transgender_outlined transgender_outlined=material/transgender_outlined.png f024e.codepoint=transgender_rounded transgender_rounded=material/transgender_rounded.png ed6f.codepoint=transgender_sharp transgender_sharp=material/transgender_sharp.png e67a.codepoint=transit_enterexit transit_enterexit=material/transit_enterexit.png f45d.codepoint=transit_enterexit_outlined transit_enterexit_outlined=material/transit_enterexit_outlined.png f024f.codepoint=transit_enterexit_rounded transit_enterexit_rounded=material/transit_enterexit_rounded.png ed70.codepoint=transit_enterexit_sharp transit_enterexit_sharp=material/transit_enterexit_sharp.png e67b.codepoint=translate translate=material/translate.png f45e.codepoint=translate_outlined translate_outlined=material/translate_outlined.png f0250.codepoint=translate_rounded translate_rounded=material/translate_rounded.png ed71.codepoint=translate_sharp translate_sharp=material/translate_sharp.png e67c.codepoint=travel_explore travel_explore=material/travel_explore.png f45f.codepoint=travel_explore_outlined travel_explore_outlined=material/travel_explore_outlined.png f0251.codepoint=travel_explore_rounded travel_explore_rounded=material/travel_explore_rounded.png ed72.codepoint=travel_explore_sharp travel_explore_sharp=material/travel_explore_sharp.png e67d.codepoint=trending_down trending_down=material/trending_down.png f460.codepoint=trending_down_outlined trending_down_outlined=material/trending_down_outlined.png f0252.codepoint=trending_down_rounded trending_down_rounded=material/trending_down_rounded.png ed73.codepoint=trending_down_sharp trending_down_sharp=material/trending_down_sharp.png e67e.codepoint=trending_flat trending_flat=material/trending_flat.png f461.codepoint=trending_flat_outlined trending_flat_outlined=material/trending_flat_outlined.png f0253.codepoint=trending_flat_rounded trending_flat_rounded=material/trending_flat_rounded.png ed74.codepoint=trending_flat_sharp trending_flat_sharp=material/trending_flat_sharp.png # e67e.codepoint=trending_neutral trending_neutral=material/trending_neutral.png # f461.codepoint=trending_neutral_outlined trending_neutral_outlined=material/trending_neutral_outlined.png # f0253.codepoint=trending_neutral_rounded trending_neutral_rounded=material/trending_neutral_rounded.png # ed74.codepoint=trending_neutral_sharp trending_neutral_sharp=material/trending_neutral_sharp.png e67f.codepoint=trending_up trending_up=material/trending_up.png f462.codepoint=trending_up_outlined trending_up_outlined=material/trending_up_outlined.png f0254.codepoint=trending_up_rounded trending_up_rounded=material/trending_up_rounded.png ed75.codepoint=trending_up_sharp trending_up_sharp=material/trending_up_sharp.png e680.codepoint=trip_origin trip_origin=material/trip_origin.png f463.codepoint=trip_origin_outlined trip_origin_outlined=material/trip_origin_outlined.png f0255.codepoint=trip_origin_rounded trip_origin_rounded=material/trip_origin_rounded.png ed76.codepoint=trip_origin_sharp trip_origin_sharp=material/trip_origin_sharp.png f07ce.codepoint=troubleshoot troubleshoot=material/troubleshoot.png f071e.codepoint=troubleshoot_outlined troubleshoot_outlined=material/troubleshoot_outlined.png f0826.codepoint=troubleshoot_rounded troubleshoot_rounded=material/troubleshoot_rounded.png f0776.codepoint=troubleshoot_sharp troubleshoot_sharp=material/troubleshoot_sharp.png e681.codepoint=try_sms_star try_sms_star=material/try_sms_star.png f464.codepoint=try_sms_star_outlined try_sms_star_outlined=material/try_sms_star_outlined.png f0256.codepoint=try_sms_star_rounded try_sms_star_rounded=material/try_sms_star_rounded.png ed77.codepoint=try_sms_star_sharp try_sms_star_sharp=material/try_sms_star_sharp.png f07cf.codepoint=tsunami tsunami=material/tsunami.png f071f.codepoint=tsunami_outlined tsunami_outlined=material/tsunami_outlined.png f0827.codepoint=tsunami_rounded tsunami_rounded=material/tsunami_rounded.png f0777.codepoint=tsunami_sharp tsunami_sharp=material/tsunami_sharp.png e682.codepoint=tty tty=material/tty.png f465.codepoint=tty_outlined tty_outlined=material/tty_outlined.png f0257.codepoint=tty_rounded tty_rounded=material/tty_rounded.png ed78.codepoint=tty_sharp tty_sharp=material/tty_sharp.png e683.codepoint=tune tune=material/tune.png f466.codepoint=tune_outlined tune_outlined=material/tune_outlined.png f0258.codepoint=tune_rounded tune_rounded=material/tune_rounded.png ed79.codepoint=tune_sharp tune_sharp=material/tune_sharp.png e684.codepoint=tungsten tungsten=material/tungsten.png f467.codepoint=tungsten_outlined tungsten_outlined=material/tungsten_outlined.png f0259.codepoint=tungsten_rounded tungsten_rounded=material/tungsten_rounded.png ed7a.codepoint=tungsten_sharp tungsten_sharp=material/tungsten_sharp.png f058f.codepoint=turn_left turn_left=material/turn_left.png f0683.codepoint=turn_left_outlined turn_left_outlined=material/turn_left_outlined.png f03a2.codepoint=turn_left_rounded turn_left_rounded=material/turn_left_rounded.png f0495.codepoint=turn_left_sharp turn_left_sharp=material/turn_left_sharp.png f0590.codepoint=turn_right turn_right=material/turn_right.png f0684.codepoint=turn_right_outlined turn_right_outlined=material/turn_right_outlined.png f03a3.codepoint=turn_right_rounded turn_right_rounded=material/turn_right_rounded.png f0496.codepoint=turn_right_sharp turn_right_sharp=material/turn_right_sharp.png f0591.codepoint=turn_sharp_left turn_sharp_left=material/turn_sharp_left.png f0685.codepoint=turn_sharp_left_outlined turn_sharp_left_outlined=material/turn_sharp_left_outlined.png f03a4.codepoint=turn_sharp_left_rounded turn_sharp_left_rounded=material/turn_sharp_left_rounded.png f0497.codepoint=turn_sharp_left_sharp turn_sharp_left_sharp=material/turn_sharp_left_sharp.png f0592.codepoint=turn_sharp_right turn_sharp_right=material/turn_sharp_right.png f0686.codepoint=turn_sharp_right_outlined turn_sharp_right_outlined=material/turn_sharp_right_outlined.png f03a5.codepoint=turn_sharp_right_rounded turn_sharp_right_rounded=material/turn_sharp_right_rounded.png f0498.codepoint=turn_sharp_right_sharp turn_sharp_right_sharp=material/turn_sharp_right_sharp.png f0593.codepoint=turn_slight_left turn_slight_left=material/turn_slight_left.png f0687.codepoint=turn_slight_left_outlined turn_slight_left_outlined=material/turn_slight_left_outlined.png f03a6.codepoint=turn_slight_left_rounded turn_slight_left_rounded=material/turn_slight_left_rounded.png f0499.codepoint=turn_slight_left_sharp turn_slight_left_sharp=material/turn_slight_left_sharp.png f0594.codepoint=turn_slight_right turn_slight_right=material/turn_slight_right.png f0688.codepoint=turn_slight_right_outlined turn_slight_right_outlined=material/turn_slight_right_outlined.png f03a7.codepoint=turn_slight_right_rounded turn_slight_right_rounded=material/turn_slight_right_rounded.png f049a.codepoint=turn_slight_right_sharp turn_slight_right_sharp=material/turn_slight_right_sharp.png e685.codepoint=turned_in turned_in=material/turned_in.png e686.codepoint=turned_in_not turned_in_not=material/turned_in_not.png f468.codepoint=turned_in_not_outlined turned_in_not_outlined=material/turned_in_not_outlined.png f025a.codepoint=turned_in_not_rounded turned_in_not_rounded=material/turned_in_not_rounded.png ed7b.codepoint=turned_in_not_sharp turned_in_not_sharp=material/turned_in_not_sharp.png f469.codepoint=turned_in_outlined turned_in_outlined=material/turned_in_outlined.png f025b.codepoint=turned_in_rounded turned_in_rounded=material/turned_in_rounded.png ed7c.codepoint=turned_in_sharp turned_in_sharp=material/turned_in_sharp.png e687.codepoint=tv tv=material/tv.png e688.codepoint=tv_off tv_off=material/tv_off.png f46a.codepoint=tv_off_outlined tv_off_outlined=material/tv_off_outlined.png f025c.codepoint=tv_off_rounded tv_off_rounded=material/tv_off_rounded.png ed7d.codepoint=tv_off_sharp tv_off_sharp=material/tv_off_sharp.png f46b.codepoint=tv_outlined tv_outlined=material/tv_outlined.png f025d.codepoint=tv_rounded tv_rounded=material/tv_rounded.png ed7e.codepoint=tv_sharp tv_sharp=material/tv_sharp.png e003.codepoint=twelve_mp twelve_mp=material/twelve_mp.png edf5.codepoint=twelve_mp_outlined twelve_mp_outlined=material/twelve_mp_outlined.png f4e2.codepoint=twelve_mp_rounded twelve_mp_rounded=material/twelve_mp_rounded.png e703.codepoint=twelve_mp_sharp twelve_mp_sharp=material/twelve_mp_sharp.png e012.codepoint=twenty_four_mp twenty_four_mp=material/twenty_four_mp.png ee04.codepoint=twenty_four_mp_outlined twenty_four_mp_outlined=material/twenty_four_mp_outlined.png f4f1.codepoint=twenty_four_mp_rounded twenty_four_mp_rounded=material/twenty_four_mp_rounded.png e712.codepoint=twenty_four_mp_sharp twenty_four_mp_sharp=material/twenty_four_mp_sharp.png e00e.codepoint=twenty_mp twenty_mp=material/twenty_mp.png ee00.codepoint=twenty_mp_outlined twenty_mp_outlined=material/twenty_mp_outlined.png f4ed.codepoint=twenty_mp_rounded twenty_mp_rounded=material/twenty_mp_rounded.png e70e.codepoint=twenty_mp_sharp twenty_mp_sharp=material/twenty_mp_sharp.png e00f.codepoint=twenty_one_mp twenty_one_mp=material/twenty_one_mp.png ee01.codepoint=twenty_one_mp_outlined twenty_one_mp_outlined=material/twenty_one_mp_outlined.png f4ee.codepoint=twenty_one_mp_rounded twenty_one_mp_rounded=material/twenty_one_mp_rounded.png e70f.codepoint=twenty_one_mp_sharp twenty_one_mp_sharp=material/twenty_one_mp_sharp.png e011.codepoint=twenty_three_mp twenty_three_mp=material/twenty_three_mp.png ee03.codepoint=twenty_three_mp_outlined twenty_three_mp_outlined=material/twenty_three_mp_outlined.png f4f0.codepoint=twenty_three_mp_rounded twenty_three_mp_rounded=material/twenty_three_mp_rounded.png e711.codepoint=twenty_three_mp_sharp twenty_three_mp_sharp=material/twenty_three_mp_sharp.png e010.codepoint=twenty_two_mp twenty_two_mp=material/twenty_two_mp.png ee02.codepoint=twenty_two_mp_outlined twenty_two_mp_outlined=material/twenty_two_mp_outlined.png f4ef.codepoint=twenty_two_mp_rounded twenty_two_mp_rounded=material/twenty_two_mp_rounded.png e710.codepoint=twenty_two_mp_sharp twenty_two_mp_sharp=material/twenty_two_mp_sharp.png e013.codepoint=two_k two_k=material/two_k.png ee05.codepoint=two_k_outlined two_k_outlined=material/two_k_outlined.png e014.codepoint=two_k_plus two_k_plus=material/two_k_plus.png ee06.codepoint=two_k_plus_outlined two_k_plus_outlined=material/two_k_plus_outlined.png f4f2.codepoint=two_k_plus_rounded two_k_plus_rounded=material/two_k_plus_rounded.png e713.codepoint=two_k_plus_sharp two_k_plus_sharp=material/two_k_plus_sharp.png f4f3.codepoint=two_k_rounded two_k_rounded=material/two_k_rounded.png e714.codepoint=two_k_sharp two_k_sharp=material/two_k_sharp.png e015.codepoint=two_mp two_mp=material/two_mp.png ee07.codepoint=two_mp_outlined two_mp_outlined=material/two_mp_outlined.png f4f4.codepoint=two_mp_rounded two_mp_rounded=material/two_mp_rounded.png e715.codepoint=two_mp_sharp two_mp_sharp=material/two_mp_sharp.png e689.codepoint=two_wheeler two_wheeler=material/two_wheeler.png f46c.codepoint=two_wheeler_outlined two_wheeler_outlined=material/two_wheeler_outlined.png f025e.codepoint=two_wheeler_rounded two_wheeler_rounded=material/two_wheeler_rounded.png ed7f.codepoint=two_wheeler_sharp two_wheeler_sharp=material/two_wheeler_sharp.png f07d0.codepoint=type_specimen type_specimen=material/type_specimen.png f0720.codepoint=type_specimen_outlined type_specimen_outlined=material/type_specimen_outlined.png f0828.codepoint=type_specimen_rounded type_specimen_rounded=material/type_specimen_rounded.png f0778.codepoint=type_specimen_sharp type_specimen_sharp=material/type_specimen_sharp.png f0595.codepoint=u_turn_left u_turn_left=material/u_turn_left.png f0689.codepoint=u_turn_left_outlined u_turn_left_outlined=material/u_turn_left_outlined.png f03a8.codepoint=u_turn_left_rounded u_turn_left_rounded=material/u_turn_left_rounded.png f049b.codepoint=u_turn_left_sharp u_turn_left_sharp=material/u_turn_left_sharp.png f0596.codepoint=u_turn_right u_turn_right=material/u_turn_right.png f068a.codepoint=u_turn_right_outlined u_turn_right_outlined=material/u_turn_right_outlined.png f03a9.codepoint=u_turn_right_rounded u_turn_right_rounded=material/u_turn_right_rounded.png f049c.codepoint=u_turn_right_sharp u_turn_right_sharp=material/u_turn_right_sharp.png e68a.codepoint=umbrella umbrella=material/umbrella.png f46d.codepoint=umbrella_outlined umbrella_outlined=material/umbrella_outlined.png f025f.codepoint=umbrella_rounded umbrella_rounded=material/umbrella_rounded.png ed80.codepoint=umbrella_sharp umbrella_sharp=material/umbrella_sharp.png e68b.codepoint=unarchive unarchive=material/unarchive.png f46e.codepoint=unarchive_outlined unarchive_outlined=material/unarchive_outlined.png f0260.codepoint=unarchive_rounded unarchive_rounded=material/unarchive_rounded.png ed81.codepoint=unarchive_sharp unarchive_sharp=material/unarchive_sharp.png e68c.codepoint=undo undo=material/undo.png f46f.codepoint=undo_outlined undo_outlined=material/undo_outlined.png f0261.codepoint=undo_rounded undo_rounded=material/undo_rounded.png ed82.codepoint=undo_sharp undo_sharp=material/undo_sharp.png e68d.codepoint=unfold_less unfold_less=material/unfold_less.png f470.codepoint=unfold_less_outlined unfold_less_outlined=material/unfold_less_outlined.png f0262.codepoint=unfold_less_rounded unfold_less_rounded=material/unfold_less_rounded.png ed83.codepoint=unfold_less_sharp unfold_less_sharp=material/unfold_less_sharp.png e68e.codepoint=unfold_more unfold_more=material/unfold_more.png f471.codepoint=unfold_more_outlined unfold_more_outlined=material/unfold_more_outlined.png f0263.codepoint=unfold_more_rounded unfold_more_rounded=material/unfold_more_rounded.png ed84.codepoint=unfold_more_sharp unfold_more_sharp=material/unfold_more_sharp.png e68f.codepoint=unpublished unpublished=material/unpublished.png f472.codepoint=unpublished_outlined unpublished_outlined=material/unpublished_outlined.png f0264.codepoint=unpublished_rounded unpublished_rounded=material/unpublished_rounded.png ed85.codepoint=unpublished_sharp unpublished_sharp=material/unpublished_sharp.png e690.codepoint=unsubscribe unsubscribe=material/unsubscribe.png f473.codepoint=unsubscribe_outlined unsubscribe_outlined=material/unsubscribe_outlined.png f0265.codepoint=unsubscribe_rounded unsubscribe_rounded=material/unsubscribe_rounded.png ed86.codepoint=unsubscribe_sharp unsubscribe_sharp=material/unsubscribe_sharp.png e691.codepoint=upcoming upcoming=material/upcoming.png f474.codepoint=upcoming_outlined upcoming_outlined=material/upcoming_outlined.png f0266.codepoint=upcoming_rounded upcoming_rounded=material/upcoming_rounded.png ed87.codepoint=upcoming_sharp upcoming_sharp=material/upcoming_sharp.png e692.codepoint=update update=material/update.png e693.codepoint=update_disabled update_disabled=material/update_disabled.png f475.codepoint=update_disabled_outlined update_disabled_outlined=material/update_disabled_outlined.png f0267.codepoint=update_disabled_rounded update_disabled_rounded=material/update_disabled_rounded.png ed88.codepoint=update_disabled_sharp update_disabled_sharp=material/update_disabled_sharp.png f476.codepoint=update_outlined update_outlined=material/update_outlined.png f0268.codepoint=update_rounded update_rounded=material/update_rounded.png ed89.codepoint=update_sharp update_sharp=material/update_sharp.png e694.codepoint=upgrade upgrade=material/upgrade.png f477.codepoint=upgrade_outlined upgrade_outlined=material/upgrade_outlined.png f0269.codepoint=upgrade_rounded upgrade_rounded=material/upgrade_rounded.png ed8a.codepoint=upgrade_sharp upgrade_sharp=material/upgrade_sharp.png e695.codepoint=upload upload=material/upload.png e696.codepoint=upload_file upload_file=material/upload_file.png f478.codepoint=upload_file_outlined upload_file_outlined=material/upload_file_outlined.png f026a.codepoint=upload_file_rounded upload_file_rounded=material/upload_file_rounded.png ed8b.codepoint=upload_file_sharp upload_file_sharp=material/upload_file_sharp.png f479.codepoint=upload_outlined upload_outlined=material/upload_outlined.png f026b.codepoint=upload_rounded upload_rounded=material/upload_rounded.png ed8c.codepoint=upload_sharp upload_sharp=material/upload_sharp.png e697.codepoint=usb usb=material/usb.png e698.codepoint=usb_off usb_off=material/usb_off.png f47a.codepoint=usb_off_outlined usb_off_outlined=material/usb_off_outlined.png f026c.codepoint=usb_off_rounded usb_off_rounded=material/usb_off_rounded.png ed8d.codepoint=usb_off_sharp usb_off_sharp=material/usb_off_sharp.png f47b.codepoint=usb_outlined usb_outlined=material/usb_outlined.png f026d.codepoint=usb_rounded usb_rounded=material/usb_rounded.png ed8e.codepoint=usb_sharp usb_sharp=material/usb_sharp.png f0597.codepoint=vaccines vaccines=material/vaccines.png f068b.codepoint=vaccines_outlined vaccines_outlined=material/vaccines_outlined.png f03aa.codepoint=vaccines_rounded vaccines_rounded=material/vaccines_rounded.png f049d.codepoint=vaccines_sharp vaccines_sharp=material/vaccines_sharp.png f06c5.codepoint=vape_free vape_free=material/vape_free.png f06ab.codepoint=vape_free_outlined vape_free_outlined=material/vape_free_outlined.png f06d2.codepoint=vape_free_rounded vape_free_rounded=material/vape_free_rounded.png f06b8.codepoint=vape_free_sharp vape_free_sharp=material/vape_free_sharp.png f06c6.codepoint=vaping_rooms vaping_rooms=material/vaping_rooms.png f06ac.codepoint=vaping_rooms_outlined vaping_rooms_outlined=material/vaping_rooms_outlined.png f06d3.codepoint=vaping_rooms_rounded vaping_rooms_rounded=material/vaping_rooms_rounded.png f06b9.codepoint=vaping_rooms_sharp vaping_rooms_sharp=material/vaping_rooms_sharp.png e699.codepoint=verified verified=material/verified.png f47c.codepoint=verified_outlined verified_outlined=material/verified_outlined.png f026e.codepoint=verified_rounded verified_rounded=material/verified_rounded.png ed8f.codepoint=verified_sharp verified_sharp=material/verified_sharp.png e69a.codepoint=verified_user verified_user=material/verified_user.png f47d.codepoint=verified_user_outlined verified_user_outlined=material/verified_user_outlined.png f026f.codepoint=verified_user_rounded verified_user_rounded=material/verified_user_rounded.png ed90.codepoint=verified_user_sharp verified_user_sharp=material/verified_user_sharp.png e69b.codepoint=vertical_align_bottom vertical_align_bottom=material/vertical_align_bottom.png f47e.codepoint=vertical_align_bottom_outlined vertical_align_bottom_outlined=material/vertical_align_bottom_outlined.png f0270.codepoint=vertical_align_bottom_rounded vertical_align_bottom_rounded=material/vertical_align_bottom_rounded.png ed91.codepoint=vertical_align_bottom_sharp vertical_align_bottom_sharp=material/vertical_align_bottom_sharp.png e69c.codepoint=vertical_align_center vertical_align_center=material/vertical_align_center.png f47f.codepoint=vertical_align_center_outlined vertical_align_center_outlined=material/vertical_align_center_outlined.png f0271.codepoint=vertical_align_center_rounded vertical_align_center_rounded=material/vertical_align_center_rounded.png ed92.codepoint=vertical_align_center_sharp vertical_align_center_sharp=material/vertical_align_center_sharp.png e69d.codepoint=vertical_align_top vertical_align_top=material/vertical_align_top.png f480.codepoint=vertical_align_top_outlined vertical_align_top_outlined=material/vertical_align_top_outlined.png f0272.codepoint=vertical_align_top_rounded vertical_align_top_rounded=material/vertical_align_top_rounded.png ed93.codepoint=vertical_align_top_sharp vertical_align_top_sharp=material/vertical_align_top_sharp.png e69e.codepoint=vertical_distribute vertical_distribute=material/vertical_distribute.png f481.codepoint=vertical_distribute_outlined vertical_distribute_outlined=material/vertical_distribute_outlined.png f0273.codepoint=vertical_distribute_rounded vertical_distribute_rounded=material/vertical_distribute_rounded.png ed94.codepoint=vertical_distribute_sharp vertical_distribute_sharp=material/vertical_distribute_sharp.png f07d1.codepoint=vertical_shades vertical_shades=material/vertical_shades.png f07d2.codepoint=vertical_shades_closed vertical_shades_closed=material/vertical_shades_closed.png f0721.codepoint=vertical_shades_closed_outlined vertical_shades_closed_outlined=material/vertical_shades_closed_outlined.png f0829.codepoint=vertical_shades_closed_rounded vertical_shades_closed_rounded=material/vertical_shades_closed_rounded.png f0779.codepoint=vertical_shades_closed_sharp vertical_shades_closed_sharp=material/vertical_shades_closed_sharp.png f0722.codepoint=vertical_shades_outlined vertical_shades_outlined=material/vertical_shades_outlined.png f082a.codepoint=vertical_shades_rounded vertical_shades_rounded=material/vertical_shades_rounded.png f077a.codepoint=vertical_shades_sharp vertical_shades_sharp=material/vertical_shades_sharp.png e69f.codepoint=vertical_split vertical_split=material/vertical_split.png f482.codepoint=vertical_split_outlined vertical_split_outlined=material/vertical_split_outlined.png f0274.codepoint=vertical_split_rounded vertical_split_rounded=material/vertical_split_rounded.png ed95.codepoint=vertical_split_sharp vertical_split_sharp=material/vertical_split_sharp.png e6a0.codepoint=vibration vibration=material/vibration.png f483.codepoint=vibration_outlined vibration_outlined=material/vibration_outlined.png f0275.codepoint=vibration_rounded vibration_rounded=material/vibration_rounded.png ed96.codepoint=vibration_sharp vibration_sharp=material/vibration_sharp.png e6a1.codepoint=video_call video_call=material/video_call.png f484.codepoint=video_call_outlined video_call_outlined=material/video_call_outlined.png f0276.codepoint=video_call_rounded video_call_rounded=material/video_call_rounded.png ed97.codepoint=video_call_sharp video_call_sharp=material/video_call_sharp.png e6a2.codepoint=video_camera_back video_camera_back=material/video_camera_back.png f485.codepoint=video_camera_back_outlined video_camera_back_outlined=material/video_camera_back_outlined.png f0277.codepoint=video_camera_back_rounded video_camera_back_rounded=material/video_camera_back_rounded.png ed98.codepoint=video_camera_back_sharp video_camera_back_sharp=material/video_camera_back_sharp.png e6a3.codepoint=video_camera_front video_camera_front=material/video_camera_front.png f486.codepoint=video_camera_front_outlined video_camera_front_outlined=material/video_camera_front_outlined.png f0278.codepoint=video_camera_front_rounded video_camera_front_rounded=material/video_camera_front_rounded.png ed99.codepoint=video_camera_front_sharp video_camera_front_sharp=material/video_camera_front_sharp.png e6a5.codepoint=video_collection video_collection=material/video_collection.png f488.codepoint=video_collection_outlined video_collection_outlined=material/video_collection_outlined.png f027a.codepoint=video_collection_rounded video_collection_rounded=material/video_collection_rounded.png ed9b.codepoint=video_collection_sharp video_collection_sharp=material/video_collection_sharp.png f0598.codepoint=video_file video_file=material/video_file.png f068c.codepoint=video_file_outlined video_file_outlined=material/video_file_outlined.png f03ab.codepoint=video_file_rounded video_file_rounded=material/video_file_rounded.png f049e.codepoint=video_file_sharp video_file_sharp=material/video_file_sharp.png e6a4.codepoint=video_label video_label=material/video_label.png f487.codepoint=video_label_outlined video_label_outlined=material/video_label_outlined.png f0279.codepoint=video_label_rounded video_label_rounded=material/video_label_rounded.png ed9a.codepoint=video_label_sharp video_label_sharp=material/video_label_sharp.png # e6a5.codepoint=video_library video_library=material/video_library.png # f488.codepoint=video_library_outlined video_library_outlined=material/video_library_outlined.png # f027a.codepoint=video_library_rounded video_library_rounded=material/video_library_rounded.png # ed9b.codepoint=video_library_sharp video_library_sharp=material/video_library_sharp.png e6a6.codepoint=video_settings video_settings=material/video_settings.png f489.codepoint=video_settings_outlined video_settings_outlined=material/video_settings_outlined.png f027b.codepoint=video_settings_rounded video_settings_rounded=material/video_settings_rounded.png ed9c.codepoint=video_settings_sharp video_settings_sharp=material/video_settings_sharp.png e6a7.codepoint=video_stable video_stable=material/video_stable.png f48a.codepoint=video_stable_outlined video_stable_outlined=material/video_stable_outlined.png f027c.codepoint=video_stable_rounded video_stable_rounded=material/video_stable_rounded.png ed9d.codepoint=video_stable_sharp video_stable_sharp=material/video_stable_sharp.png e6a8.codepoint=videocam videocam=material/videocam.png e6a9.codepoint=videocam_off videocam_off=material/videocam_off.png f48b.codepoint=videocam_off_outlined videocam_off_outlined=material/videocam_off_outlined.png f027d.codepoint=videocam_off_rounded videocam_off_rounded=material/videocam_off_rounded.png ed9e.codepoint=videocam_off_sharp videocam_off_sharp=material/videocam_off_sharp.png f48c.codepoint=videocam_outlined videocam_outlined=material/videocam_outlined.png f027e.codepoint=videocam_rounded videocam_rounded=material/videocam_rounded.png ed9f.codepoint=videocam_sharp videocam_sharp=material/videocam_sharp.png e6aa.codepoint=videogame_asset videogame_asset=material/videogame_asset.png e6ab.codepoint=videogame_asset_off videogame_asset_off=material/videogame_asset_off.png f48d.codepoint=videogame_asset_off_outlined videogame_asset_off_outlined=material/videogame_asset_off_outlined.png f027f.codepoint=videogame_asset_off_rounded videogame_asset_off_rounded=material/videogame_asset_off_rounded.png eda0.codepoint=videogame_asset_off_sharp videogame_asset_off_sharp=material/videogame_asset_off_sharp.png f48e.codepoint=videogame_asset_outlined videogame_asset_outlined=material/videogame_asset_outlined.png f0280.codepoint=videogame_asset_rounded videogame_asset_rounded=material/videogame_asset_rounded.png eda1.codepoint=videogame_asset_sharp videogame_asset_sharp=material/videogame_asset_sharp.png e6ac.codepoint=view_agenda view_agenda=material/view_agenda.png f48f.codepoint=view_agenda_outlined view_agenda_outlined=material/view_agenda_outlined.png f0281.codepoint=view_agenda_rounded view_agenda_rounded=material/view_agenda_rounded.png eda2.codepoint=view_agenda_sharp view_agenda_sharp=material/view_agenda_sharp.png e6ad.codepoint=view_array view_array=material/view_array.png f490.codepoint=view_array_outlined view_array_outlined=material/view_array_outlined.png f0282.codepoint=view_array_rounded view_array_rounded=material/view_array_rounded.png eda3.codepoint=view_array_sharp view_array_sharp=material/view_array_sharp.png e6ae.codepoint=view_carousel view_carousel=material/view_carousel.png f491.codepoint=view_carousel_outlined view_carousel_outlined=material/view_carousel_outlined.png f0283.codepoint=view_carousel_rounded view_carousel_rounded=material/view_carousel_rounded.png eda4.codepoint=view_carousel_sharp view_carousel_sharp=material/view_carousel_sharp.png e6af.codepoint=view_column view_column=material/view_column.png f492.codepoint=view_column_outlined view_column_outlined=material/view_column_outlined.png f0284.codepoint=view_column_rounded view_column_rounded=material/view_column_rounded.png eda5.codepoint=view_column_sharp view_column_sharp=material/view_column_sharp.png e6b0.codepoint=view_comfortable view_comfortable=material/view_comfortable.png f493.codepoint=view_comfortable_outlined view_comfortable_outlined=material/view_comfortable_outlined.png f0285.codepoint=view_comfortable_rounded view_comfortable_rounded=material/view_comfortable_rounded.png eda6.codepoint=view_comfortable_sharp view_comfortable_sharp=material/view_comfortable_sharp.png # e6b0.codepoint=view_comfy view_comfy=material/view_comfy.png f0599.codepoint=view_comfy_alt view_comfy_alt=material/view_comfy_alt.png f068d.codepoint=view_comfy_alt_outlined view_comfy_alt_outlined=material/view_comfy_alt_outlined.png f03ac.codepoint=view_comfy_alt_rounded view_comfy_alt_rounded=material/view_comfy_alt_rounded.png f049f.codepoint=view_comfy_alt_sharp view_comfy_alt_sharp=material/view_comfy_alt_sharp.png # f493.codepoint=view_comfy_outlined view_comfy_outlined=material/view_comfy_outlined.png # f0285.codepoint=view_comfy_rounded view_comfy_rounded=material/view_comfy_rounded.png # eda6.codepoint=view_comfy_sharp view_comfy_sharp=material/view_comfy_sharp.png e6b1.codepoint=view_compact view_compact=material/view_compact.png f059a.codepoint=view_compact_alt view_compact_alt=material/view_compact_alt.png f068e.codepoint=view_compact_alt_outlined view_compact_alt_outlined=material/view_compact_alt_outlined.png f03ad.codepoint=view_compact_alt_rounded view_compact_alt_rounded=material/view_compact_alt_rounded.png f04a0.codepoint=view_compact_alt_sharp view_compact_alt_sharp=material/view_compact_alt_sharp.png f494.codepoint=view_compact_outlined view_compact_outlined=material/view_compact_outlined.png f0286.codepoint=view_compact_rounded view_compact_rounded=material/view_compact_rounded.png eda7.codepoint=view_compact_sharp view_compact_sharp=material/view_compact_sharp.png f059b.codepoint=view_cozy view_cozy=material/view_cozy.png f068f.codepoint=view_cozy_outlined view_cozy_outlined=material/view_cozy_outlined.png f03ae.codepoint=view_cozy_rounded view_cozy_rounded=material/view_cozy_rounded.png f04a1.codepoint=view_cozy_sharp view_cozy_sharp=material/view_cozy_sharp.png e6b2.codepoint=view_day view_day=material/view_day.png f495.codepoint=view_day_outlined view_day_outlined=material/view_day_outlined.png f0287.codepoint=view_day_rounded view_day_rounded=material/view_day_rounded.png eda8.codepoint=view_day_sharp view_day_sharp=material/view_day_sharp.png e6b3.codepoint=view_headline view_headline=material/view_headline.png f496.codepoint=view_headline_outlined view_headline_outlined=material/view_headline_outlined.png f0288.codepoint=view_headline_rounded view_headline_rounded=material/view_headline_rounded.png eda9.codepoint=view_headline_sharp view_headline_sharp=material/view_headline_sharp.png e6b4.codepoint=view_in_ar view_in_ar=material/view_in_ar.png f497.codepoint=view_in_ar_outlined view_in_ar_outlined=material/view_in_ar_outlined.png f0289.codepoint=view_in_ar_rounded view_in_ar_rounded=material/view_in_ar_rounded.png edaa.codepoint=view_in_ar_sharp view_in_ar_sharp=material/view_in_ar_sharp.png f059c.codepoint=view_kanban view_kanban=material/view_kanban.png f0690.codepoint=view_kanban_outlined view_kanban_outlined=material/view_kanban_outlined.png f03af.codepoint=view_kanban_rounded view_kanban_rounded=material/view_kanban_rounded.png f04a2.codepoint=view_kanban_sharp view_kanban_sharp=material/view_kanban_sharp.png e6b5.codepoint=view_list view_list=material/view_list.png f498.codepoint=view_list_outlined view_list_outlined=material/view_list_outlined.png f028a.codepoint=view_list_rounded view_list_rounded=material/view_list_rounded.png edab.codepoint=view_list_sharp view_list_sharp=material/view_list_sharp.png e6b6.codepoint=view_module view_module=material/view_module.png f499.codepoint=view_module_outlined view_module_outlined=material/view_module_outlined.png f028b.codepoint=view_module_rounded view_module_rounded=material/view_module_rounded.png edac.codepoint=view_module_sharp view_module_sharp=material/view_module_sharp.png e6b7.codepoint=view_quilt view_quilt=material/view_quilt.png f49a.codepoint=view_quilt_outlined view_quilt_outlined=material/view_quilt_outlined.png f028c.codepoint=view_quilt_rounded view_quilt_rounded=material/view_quilt_rounded.png edad.codepoint=view_quilt_sharp view_quilt_sharp=material/view_quilt_sharp.png e6b8.codepoint=view_sidebar view_sidebar=material/view_sidebar.png f49b.codepoint=view_sidebar_outlined view_sidebar_outlined=material/view_sidebar_outlined.png f028d.codepoint=view_sidebar_rounded view_sidebar_rounded=material/view_sidebar_rounded.png edae.codepoint=view_sidebar_sharp view_sidebar_sharp=material/view_sidebar_sharp.png e6b9.codepoint=view_stream view_stream=material/view_stream.png f49c.codepoint=view_stream_outlined view_stream_outlined=material/view_stream_outlined.png f028e.codepoint=view_stream_rounded view_stream_rounded=material/view_stream_rounded.png edaf.codepoint=view_stream_sharp view_stream_sharp=material/view_stream_sharp.png f059d.codepoint=view_timeline view_timeline=material/view_timeline.png f0691.codepoint=view_timeline_outlined view_timeline_outlined=material/view_timeline_outlined.png f03b0.codepoint=view_timeline_rounded view_timeline_rounded=material/view_timeline_rounded.png f04a3.codepoint=view_timeline_sharp view_timeline_sharp=material/view_timeline_sharp.png e6ba.codepoint=view_week view_week=material/view_week.png f49d.codepoint=view_week_outlined view_week_outlined=material/view_week_outlined.png f028f.codepoint=view_week_rounded view_week_rounded=material/view_week_rounded.png edb0.codepoint=view_week_sharp view_week_sharp=material/view_week_sharp.png e6bb.codepoint=vignette vignette=material/vignette.png f49e.codepoint=vignette_outlined vignette_outlined=material/vignette_outlined.png f0290.codepoint=vignette_rounded vignette_rounded=material/vignette_rounded.png edb1.codepoint=vignette_sharp vignette_sharp=material/vignette_sharp.png e6bc.codepoint=villa villa=material/villa.png f49f.codepoint=villa_outlined villa_outlined=material/villa_outlined.png f0291.codepoint=villa_rounded villa_rounded=material/villa_rounded.png edb2.codepoint=villa_sharp villa_sharp=material/villa_sharp.png e6bd.codepoint=visibility visibility=material/visibility.png e6be.codepoint=visibility_off visibility_off=material/visibility_off.png f4a0.codepoint=visibility_off_outlined visibility_off_outlined=material/visibility_off_outlined.png f0292.codepoint=visibility_off_rounded visibility_off_rounded=material/visibility_off_rounded.png edb3.codepoint=visibility_off_sharp visibility_off_sharp=material/visibility_off_sharp.png f4a1.codepoint=visibility_outlined visibility_outlined=material/visibility_outlined.png f0293.codepoint=visibility_rounded visibility_rounded=material/visibility_rounded.png edb4.codepoint=visibility_sharp visibility_sharp=material/visibility_sharp.png e6bf.codepoint=voice_chat voice_chat=material/voice_chat.png f4a2.codepoint=voice_chat_outlined voice_chat_outlined=material/voice_chat_outlined.png f0294.codepoint=voice_chat_rounded voice_chat_rounded=material/voice_chat_rounded.png edb5.codepoint=voice_chat_sharp voice_chat_sharp=material/voice_chat_sharp.png e6c0.codepoint=voice_over_off voice_over_off=material/voice_over_off.png f4a3.codepoint=voice_over_off_outlined voice_over_off_outlined=material/voice_over_off_outlined.png f0295.codepoint=voice_over_off_rounded voice_over_off_rounded=material/voice_over_off_rounded.png edb6.codepoint=voice_over_off_sharp voice_over_off_sharp=material/voice_over_off_sharp.png e6c1.codepoint=voicemail voicemail=material/voicemail.png f4a4.codepoint=voicemail_outlined voicemail_outlined=material/voicemail_outlined.png f0296.codepoint=voicemail_rounded voicemail_rounded=material/voicemail_rounded.png edb7.codepoint=voicemail_sharp voicemail_sharp=material/voicemail_sharp.png f07d3.codepoint=volcano volcano=material/volcano.png f0723.codepoint=volcano_outlined volcano_outlined=material/volcano_outlined.png f082b.codepoint=volcano_rounded volcano_rounded=material/volcano_rounded.png f077b.codepoint=volcano_sharp volcano_sharp=material/volcano_sharp.png e6c2.codepoint=volume_down volume_down=material/volume_down.png f059e.codepoint=volume_down_alt volume_down_alt=material/volume_down_alt.png f4a5.codepoint=volume_down_outlined volume_down_outlined=material/volume_down_outlined.png f0297.codepoint=volume_down_rounded volume_down_rounded=material/volume_down_rounded.png edb8.codepoint=volume_down_sharp volume_down_sharp=material/volume_down_sharp.png e6c3.codepoint=volume_mute volume_mute=material/volume_mute.png f4a6.codepoint=volume_mute_outlined volume_mute_outlined=material/volume_mute_outlined.png f0298.codepoint=volume_mute_rounded volume_mute_rounded=material/volume_mute_rounded.png edb9.codepoint=volume_mute_sharp volume_mute_sharp=material/volume_mute_sharp.png e6c4.codepoint=volume_off volume_off=material/volume_off.png f4a7.codepoint=volume_off_outlined volume_off_outlined=material/volume_off_outlined.png f0299.codepoint=volume_off_rounded volume_off_rounded=material/volume_off_rounded.png edba.codepoint=volume_off_sharp volume_off_sharp=material/volume_off_sharp.png e6c5.codepoint=volume_up volume_up=material/volume_up.png f4a8.codepoint=volume_up_outlined volume_up_outlined=material/volume_up_outlined.png f029a.codepoint=volume_up_rounded volume_up_rounded=material/volume_up_rounded.png edbb.codepoint=volume_up_sharp volume_up_sharp=material/volume_up_sharp.png e6c6.codepoint=volunteer_activism volunteer_activism=material/volunteer_activism.png f4a9.codepoint=volunteer_activism_outlined volunteer_activism_outlined=material/volunteer_activism_outlined.png f029b.codepoint=volunteer_activism_rounded volunteer_activism_rounded=material/volunteer_activism_rounded.png edbc.codepoint=volunteer_activism_sharp volunteer_activism_sharp=material/volunteer_activism_sharp.png e6c7.codepoint=vpn_key vpn_key=material/vpn_key.png f059f.codepoint=vpn_key_off vpn_key_off=material/vpn_key_off.png f0692.codepoint=vpn_key_off_outlined vpn_key_off_outlined=material/vpn_key_off_outlined.png f03b1.codepoint=vpn_key_off_rounded vpn_key_off_rounded=material/vpn_key_off_rounded.png f04a4.codepoint=vpn_key_off_sharp vpn_key_off_sharp=material/vpn_key_off_sharp.png f4aa.codepoint=vpn_key_outlined vpn_key_outlined=material/vpn_key_outlined.png f029c.codepoint=vpn_key_rounded vpn_key_rounded=material/vpn_key_rounded.png edbd.codepoint=vpn_key_sharp vpn_key_sharp=material/vpn_key_sharp.png e6c8.codepoint=vpn_lock vpn_lock=material/vpn_lock.png f4ab.codepoint=vpn_lock_outlined vpn_lock_outlined=material/vpn_lock_outlined.png f029d.codepoint=vpn_lock_rounded vpn_lock_rounded=material/vpn_lock_rounded.png edbe.codepoint=vpn_lock_sharp vpn_lock_sharp=material/vpn_lock_sharp.png e6c9.codepoint=vrpano vrpano=material/vrpano.png f4ac.codepoint=vrpano_outlined vrpano_outlined=material/vrpano_outlined.png f029e.codepoint=vrpano_rounded vrpano_rounded=material/vrpano_rounded.png edbf.codepoint=vrpano_sharp vrpano_sharp=material/vrpano_sharp.png f07d4.codepoint=wallet wallet=material/wallet.png # e13e.codepoint=wallet_giftcard wallet_giftcard=material/wallet_giftcard.png # ef2d.codepoint=wallet_giftcard_outlined wallet_giftcard_outlined=material/wallet_giftcard_outlined.png # f61a.codepoint=wallet_giftcard_rounded wallet_giftcard_rounded=material/wallet_giftcard_rounded.png # e83b.codepoint=wallet_giftcard_sharp wallet_giftcard_sharp=material/wallet_giftcard_sharp.png # e13f.codepoint=wallet_membership wallet_membership=material/wallet_membership.png # ef2e.codepoint=wallet_membership_outlined wallet_membership_outlined=material/wallet_membership_outlined.png # f61b.codepoint=wallet_membership_rounded wallet_membership_rounded=material/wallet_membership_rounded.png # e83c.codepoint=wallet_membership_sharp wallet_membership_sharp=material/wallet_membership_sharp.png f0724.codepoint=wallet_outlined wallet_outlined=material/wallet_outlined.png f082c.codepoint=wallet_rounded wallet_rounded=material/wallet_rounded.png f077c.codepoint=wallet_sharp wallet_sharp=material/wallet_sharp.png # e140.codepoint=wallet_travel wallet_travel=material/wallet_travel.png # ef2f.codepoint=wallet_travel_outlined wallet_travel_outlined=material/wallet_travel_outlined.png # f61c.codepoint=wallet_travel_rounded wallet_travel_rounded=material/wallet_travel_rounded.png # e83d.codepoint=wallet_travel_sharp wallet_travel_sharp=material/wallet_travel_sharp.png # e6ca.codepoint=wallpaper wallpaper=material/wallpaper.png # f4ad.codepoint=wallpaper_outlined wallpaper_outlined=material/wallpaper_outlined.png # f029f.codepoint=wallpaper_rounded wallpaper_rounded=material/wallpaper_rounded.png # edc0.codepoint=wallpaper_sharp wallpaper_sharp=material/wallpaper_sharp.png f05a0.codepoint=warehouse warehouse=material/warehouse.png f0693.codepoint=warehouse_outlined warehouse_outlined=material/warehouse_outlined.png f03b2.codepoint=warehouse_rounded warehouse_rounded=material/warehouse_rounded.png f04a5.codepoint=warehouse_sharp warehouse_sharp=material/warehouse_sharp.png e6cb.codepoint=warning warning=material/warning.png e6cc.codepoint=warning_amber warning_amber=material/warning_amber.png f4ae.codepoint=warning_amber_outlined warning_amber_outlined=material/warning_amber_outlined.png f02a0.codepoint=warning_amber_rounded warning_amber_rounded=material/warning_amber_rounded.png edc1.codepoint=warning_amber_sharp warning_amber_sharp=material/warning_amber_sharp.png f4af.codepoint=warning_outlined warning_outlined=material/warning_outlined.png f02a1.codepoint=warning_rounded warning_rounded=material/warning_rounded.png edc2.codepoint=warning_sharp warning_sharp=material/warning_sharp.png e6cd.codepoint=wash wash=material/wash.png f4b0.codepoint=wash_outlined wash_outlined=material/wash_outlined.png f02a2.codepoint=wash_rounded wash_rounded=material/wash_rounded.png edc3.codepoint=wash_sharp wash_sharp=material/wash_sharp.png e6ce.codepoint=watch watch=material/watch.png e6cf.codepoint=watch_later watch_later=material/watch_later.png f4b1.codepoint=watch_later_outlined watch_later_outlined=material/watch_later_outlined.png f02a3.codepoint=watch_later_rounded watch_later_rounded=material/watch_later_rounded.png edc4.codepoint=watch_later_sharp watch_later_sharp=material/watch_later_sharp.png f05a1.codepoint=watch_off watch_off=material/watch_off.png f0694.codepoint=watch_off_outlined watch_off_outlined=material/watch_off_outlined.png f03b3.codepoint=watch_off_rounded watch_off_rounded=material/watch_off_rounded.png f04a6.codepoint=watch_off_sharp watch_off_sharp=material/watch_off_sharp.png f4b2.codepoint=watch_outlined watch_outlined=material/watch_outlined.png f02a4.codepoint=watch_rounded watch_rounded=material/watch_rounded.png edc5.codepoint=watch_sharp watch_sharp=material/watch_sharp.png e6d0.codepoint=water water=material/water.png e6d1.codepoint=water_damage water_damage=material/water_damage.png f4b3.codepoint=water_damage_outlined water_damage_outlined=material/water_damage_outlined.png f02a5.codepoint=water_damage_rounded water_damage_rounded=material/water_damage_rounded.png edc6.codepoint=water_damage_sharp water_damage_sharp=material/water_damage_sharp.png f05a2.codepoint=water_drop water_drop=material/water_drop.png f0695.codepoint=water_drop_outlined water_drop_outlined=material/water_drop_outlined.png f03b4.codepoint=water_drop_rounded water_drop_rounded=material/water_drop_rounded.png f04a7.codepoint=water_drop_sharp water_drop_sharp=material/water_drop_sharp.png f4b4.codepoint=water_outlined water_outlined=material/water_outlined.png f02a6.codepoint=water_rounded water_rounded=material/water_rounded.png edc7.codepoint=water_sharp water_sharp=material/water_sharp.png e6d2.codepoint=waterfall_chart waterfall_chart=material/waterfall_chart.png f4b5.codepoint=waterfall_chart_outlined waterfall_chart_outlined=material/waterfall_chart_outlined.png f02a7.codepoint=waterfall_chart_rounded waterfall_chart_rounded=material/waterfall_chart_rounded.png edc8.codepoint=waterfall_chart_sharp waterfall_chart_sharp=material/waterfall_chart_sharp.png e6d3.codepoint=waves waves=material/waves.png f4b6.codepoint=waves_outlined waves_outlined=material/waves_outlined.png f02a8.codepoint=waves_rounded waves_rounded=material/waves_rounded.png edc9.codepoint=waves_sharp waves_sharp=material/waves_sharp.png f05a3.codepoint=waving_hand waving_hand=material/waving_hand.png f0696.codepoint=waving_hand_outlined waving_hand_outlined=material/waving_hand_outlined.png f03b5.codepoint=waving_hand_rounded waving_hand_rounded=material/waving_hand_rounded.png f04a8.codepoint=waving_hand_sharp waving_hand_sharp=material/waving_hand_sharp.png e6d4.codepoint=wb_auto wb_auto=material/wb_auto.png f4b7.codepoint=wb_auto_outlined wb_auto_outlined=material/wb_auto_outlined.png f02a9.codepoint=wb_auto_rounded wb_auto_rounded=material/wb_auto_rounded.png edca.codepoint=wb_auto_sharp wb_auto_sharp=material/wb_auto_sharp.png e6d5.codepoint=wb_cloudy wb_cloudy=material/wb_cloudy.png f4b8.codepoint=wb_cloudy_outlined wb_cloudy_outlined=material/wb_cloudy_outlined.png f02aa.codepoint=wb_cloudy_rounded wb_cloudy_rounded=material/wb_cloudy_rounded.png edcb.codepoint=wb_cloudy_sharp wb_cloudy_sharp=material/wb_cloudy_sharp.png e6d6.codepoint=wb_incandescent wb_incandescent=material/wb_incandescent.png f4b9.codepoint=wb_incandescent_outlined wb_incandescent_outlined=material/wb_incandescent_outlined.png f02ab.codepoint=wb_incandescent_rounded wb_incandescent_rounded=material/wb_incandescent_rounded.png edcc.codepoint=wb_incandescent_sharp wb_incandescent_sharp=material/wb_incandescent_sharp.png e6d7.codepoint=wb_iridescent wb_iridescent=material/wb_iridescent.png f4ba.codepoint=wb_iridescent_outlined wb_iridescent_outlined=material/wb_iridescent_outlined.png f02ac.codepoint=wb_iridescent_rounded wb_iridescent_rounded=material/wb_iridescent_rounded.png edcd.codepoint=wb_iridescent_sharp wb_iridescent_sharp=material/wb_iridescent_sharp.png e6d8.codepoint=wb_shade wb_shade=material/wb_shade.png f4bb.codepoint=wb_shade_outlined wb_shade_outlined=material/wb_shade_outlined.png f02ad.codepoint=wb_shade_rounded wb_shade_rounded=material/wb_shade_rounded.png edce.codepoint=wb_shade_sharp wb_shade_sharp=material/wb_shade_sharp.png e6d9.codepoint=wb_sunny wb_sunny=material/wb_sunny.png f4bc.codepoint=wb_sunny_outlined wb_sunny_outlined=material/wb_sunny_outlined.png f02ae.codepoint=wb_sunny_rounded wb_sunny_rounded=material/wb_sunny_rounded.png edcf.codepoint=wb_sunny_sharp wb_sunny_sharp=material/wb_sunny_sharp.png e6da.codepoint=wb_twighlight wb_twighlight=material/wb_twighlight.png e6db.codepoint=wb_twilight wb_twilight=material/wb_twilight.png f4bd.codepoint=wb_twilight_outlined wb_twilight_outlined=material/wb_twilight_outlined.png f02af.codepoint=wb_twilight_rounded wb_twilight_rounded=material/wb_twilight_rounded.png edd0.codepoint=wb_twilight_sharp wb_twilight_sharp=material/wb_twilight_sharp.png e6dc.codepoint=wc wc=material/wc.png f4be.codepoint=wc_outlined wc_outlined=material/wc_outlined.png f02b0.codepoint=wc_rounded wc_rounded=material/wc_rounded.png edd1.codepoint=wc_sharp wc_sharp=material/wc_sharp.png e6dd.codepoint=web web=material/web.png e6de.codepoint=web_asset web_asset=material/web_asset.png e6df.codepoint=web_asset_off web_asset_off=material/web_asset_off.png f4bf.codepoint=web_asset_off_outlined web_asset_off_outlined=material/web_asset_off_outlined.png f02b1.codepoint=web_asset_off_rounded web_asset_off_rounded=material/web_asset_off_rounded.png edd2.codepoint=web_asset_off_sharp web_asset_off_sharp=material/web_asset_off_sharp.png f4c0.codepoint=web_asset_outlined web_asset_outlined=material/web_asset_outlined.png f02b2.codepoint=web_asset_rounded web_asset_rounded=material/web_asset_rounded.png edd3.codepoint=web_asset_sharp web_asset_sharp=material/web_asset_sharp.png f4c1.codepoint=web_outlined web_outlined=material/web_outlined.png f02b3.codepoint=web_rounded web_rounded=material/web_rounded.png edd4.codepoint=web_sharp web_sharp=material/web_sharp.png e6e0.codepoint=web_stories web_stories=material/web_stories.png f05a4.codepoint=webhook webhook=material/webhook.png f0697.codepoint=webhook_outlined webhook_outlined=material/webhook_outlined.png f03b6.codepoint=webhook_rounded webhook_rounded=material/webhook_rounded.png f04a9.codepoint=webhook_sharp webhook_sharp=material/webhook_sharp.png f05a5.codepoint=wechat wechat=material/wechat.png f0698.codepoint=wechat_outlined wechat_outlined=material/wechat_outlined.png f03b7.codepoint=wechat_rounded wechat_rounded=material/wechat_rounded.png f04aa.codepoint=wechat_sharp wechat_sharp=material/wechat_sharp.png e6e1.codepoint=weekend weekend=material/weekend.png f4c2.codepoint=weekend_outlined weekend_outlined=material/weekend_outlined.png f02b4.codepoint=weekend_rounded weekend_rounded=material/weekend_rounded.png edd5.codepoint=weekend_sharp weekend_sharp=material/weekend_sharp.png e6e2.codepoint=west west=material/west.png f4c3.codepoint=west_outlined west_outlined=material/west_outlined.png f02b5.codepoint=west_rounded west_rounded=material/west_rounded.png edd6.codepoint=west_sharp west_sharp=material/west_sharp.png f05a6.codepoint=whatsapp whatsapp=material/whatsapp.png f0699.codepoint=whatsapp_outlined whatsapp_outlined=material/whatsapp_outlined.png f03b8.codepoint=whatsapp_rounded whatsapp_rounded=material/whatsapp_rounded.png f04ab.codepoint=whatsapp_sharp whatsapp_sharp=material/whatsapp_sharp.png e6e3.codepoint=whatshot whatshot=material/whatshot.png f4c4.codepoint=whatshot_outlined whatshot_outlined=material/whatshot_outlined.png f02b6.codepoint=whatshot_rounded whatshot_rounded=material/whatshot_rounded.png edd7.codepoint=whatshot_sharp whatshot_sharp=material/whatshot_sharp.png e6e4.codepoint=wheelchair_pickup wheelchair_pickup=material/wheelchair_pickup.png f4c5.codepoint=wheelchair_pickup_outlined wheelchair_pickup_outlined=material/wheelchair_pickup_outlined.png f02b7.codepoint=wheelchair_pickup_rounded wheelchair_pickup_rounded=material/wheelchair_pickup_rounded.png edd8.codepoint=wheelchair_pickup_sharp wheelchair_pickup_sharp=material/wheelchair_pickup_sharp.png e6e5.codepoint=where_to_vote where_to_vote=material/where_to_vote.png f4c6.codepoint=where_to_vote_outlined where_to_vote_outlined=material/where_to_vote_outlined.png f02b8.codepoint=where_to_vote_rounded where_to_vote_rounded=material/where_to_vote_rounded.png edd9.codepoint=where_to_vote_sharp where_to_vote_sharp=material/where_to_vote_sharp.png # e6e6.codepoint=widgets widgets=material/widgets.png # f4c7.codepoint=widgets_outlined widgets_outlined=material/widgets_outlined.png # f02b9.codepoint=widgets_rounded widgets_rounded=material/widgets_rounded.png # edda.codepoint=widgets_sharp widgets_sharp=material/widgets_sharp.png f07d5.codepoint=width_full width_full=material/width_full.png f0725.codepoint=width_full_outlined width_full_outlined=material/width_full_outlined.png f082d.codepoint=width_full_rounded width_full_rounded=material/width_full_rounded.png f077d.codepoint=width_full_sharp width_full_sharp=material/width_full_sharp.png f07d6.codepoint=width_normal width_normal=material/width_normal.png f0726.codepoint=width_normal_outlined width_normal_outlined=material/width_normal_outlined.png f082e.codepoint=width_normal_rounded width_normal_rounded=material/width_normal_rounded.png f077e.codepoint=width_normal_sharp width_normal_sharp=material/width_normal_sharp.png f07d7.codepoint=width_wide width_wide=material/width_wide.png f0727.codepoint=width_wide_outlined width_wide_outlined=material/width_wide_outlined.png f082f.codepoint=width_wide_rounded width_wide_rounded=material/width_wide_rounded.png f077f.codepoint=width_wide_sharp width_wide_sharp=material/width_wide_sharp.png e6e7.codepoint=wifi wifi=material/wifi.png f07d8.codepoint=wifi_1_bar wifi_1_bar=material/wifi_1_bar.png f0728.codepoint=wifi_1_bar_outlined wifi_1_bar_outlined=material/wifi_1_bar_outlined.png f0830.codepoint=wifi_1_bar_rounded wifi_1_bar_rounded=material/wifi_1_bar_rounded.png f0780.codepoint=wifi_1_bar_sharp wifi_1_bar_sharp=material/wifi_1_bar_sharp.png f07d9.codepoint=wifi_2_bar wifi_2_bar=material/wifi_2_bar.png f0729.codepoint=wifi_2_bar_outlined wifi_2_bar_outlined=material/wifi_2_bar_outlined.png f0831.codepoint=wifi_2_bar_rounded wifi_2_bar_rounded=material/wifi_2_bar_rounded.png f0781.codepoint=wifi_2_bar_sharp wifi_2_bar_sharp=material/wifi_2_bar_sharp.png e6e8.codepoint=wifi_calling wifi_calling=material/wifi_calling.png e6e9.codepoint=wifi_calling_3 wifi_calling_3=material/wifi_calling_3.png f4c8.codepoint=wifi_calling_3_outlined wifi_calling_3_outlined=material/wifi_calling_3_outlined.png f02ba.codepoint=wifi_calling_3_rounded wifi_calling_3_rounded=material/wifi_calling_3_rounded.png eddb.codepoint=wifi_calling_3_sharp wifi_calling_3_sharp=material/wifi_calling_3_sharp.png f4c9.codepoint=wifi_calling_outlined wifi_calling_outlined=material/wifi_calling_outlined.png f02bb.codepoint=wifi_calling_rounded wifi_calling_rounded=material/wifi_calling_rounded.png eddc.codepoint=wifi_calling_sharp wifi_calling_sharp=material/wifi_calling_sharp.png f05a7.codepoint=wifi_channel wifi_channel=material/wifi_channel.png f069a.codepoint=wifi_channel_outlined wifi_channel_outlined=material/wifi_channel_outlined.png f03b9.codepoint=wifi_channel_rounded wifi_channel_rounded=material/wifi_channel_rounded.png f04ac.codepoint=wifi_channel_sharp wifi_channel_sharp=material/wifi_channel_sharp.png f05a8.codepoint=wifi_find wifi_find=material/wifi_find.png f069b.codepoint=wifi_find_outlined wifi_find_outlined=material/wifi_find_outlined.png f03ba.codepoint=wifi_find_rounded wifi_find_rounded=material/wifi_find_rounded.png f04ad.codepoint=wifi_find_sharp wifi_find_sharp=material/wifi_find_sharp.png e6ea.codepoint=wifi_lock wifi_lock=material/wifi_lock.png f4ca.codepoint=wifi_lock_outlined wifi_lock_outlined=material/wifi_lock_outlined.png f02bc.codepoint=wifi_lock_rounded wifi_lock_rounded=material/wifi_lock_rounded.png eddd.codepoint=wifi_lock_sharp wifi_lock_sharp=material/wifi_lock_sharp.png e6eb.codepoint=wifi_off wifi_off=material/wifi_off.png f4cb.codepoint=wifi_off_outlined wifi_off_outlined=material/wifi_off_outlined.png f02bd.codepoint=wifi_off_rounded wifi_off_rounded=material/wifi_off_rounded.png edde.codepoint=wifi_off_sharp wifi_off_sharp=material/wifi_off_sharp.png f4cc.codepoint=wifi_outlined wifi_outlined=material/wifi_outlined.png f05a9.codepoint=wifi_password wifi_password=material/wifi_password.png f069c.codepoint=wifi_password_outlined wifi_password_outlined=material/wifi_password_outlined.png f03bb.codepoint=wifi_password_rounded wifi_password_rounded=material/wifi_password_rounded.png f04ae.codepoint=wifi_password_sharp wifi_password_sharp=material/wifi_password_sharp.png e6ec.codepoint=wifi_protected_setup wifi_protected_setup=material/wifi_protected_setup.png f4cd.codepoint=wifi_protected_setup_outlined wifi_protected_setup_outlined=material/wifi_protected_setup_outlined.png f02be.codepoint=wifi_protected_setup_rounded wifi_protected_setup_rounded=material/wifi_protected_setup_rounded.png eddf.codepoint=wifi_protected_setup_sharp wifi_protected_setup_sharp=material/wifi_protected_setup_sharp.png f02bf.codepoint=wifi_rounded wifi_rounded=material/wifi_rounded.png ede0.codepoint=wifi_sharp wifi_sharp=material/wifi_sharp.png e6ed.codepoint=wifi_tethering wifi_tethering=material/wifi_tethering.png f05aa.codepoint=wifi_tethering_error wifi_tethering_error=material/wifi_tethering_error.png f069d.codepoint=wifi_tethering_error_outlined wifi_tethering_error_outlined=material/wifi_tethering_error_outlined.png # f05aa.codepoint=wifi_tethering_error_rounded wifi_tethering_error_rounded=material/wifi_tethering_error_rounded.png # f069d.codepoint=wifi_tethering_error_rounded_outlined wifi_tethering_error_rounded_outlined=material/wifi_tethering_error_rounded_outlined.png f02c0.codepoint=wifi_tethering_error_rounded_rounded wifi_tethering_error_rounded_rounded=material/wifi_tethering_error_rounded_rounded.png f04af.codepoint=wifi_tethering_error_rounded_sharp wifi_tethering_error_rounded_sharp=material/wifi_tethering_error_rounded_sharp.png # f04af.codepoint=wifi_tethering_error_sharp wifi_tethering_error_sharp=material/wifi_tethering_error_sharp.png e6ef.codepoint=wifi_tethering_off wifi_tethering_off=material/wifi_tethering_off.png f4cf.codepoint=wifi_tethering_off_outlined wifi_tethering_off_outlined=material/wifi_tethering_off_outlined.png f02c1.codepoint=wifi_tethering_off_rounded wifi_tethering_off_rounded=material/wifi_tethering_off_rounded.png ede2.codepoint=wifi_tethering_off_sharp wifi_tethering_off_sharp=material/wifi_tethering_off_sharp.png f4d0.codepoint=wifi_tethering_outlined wifi_tethering_outlined=material/wifi_tethering_outlined.png f02c2.codepoint=wifi_tethering_rounded wifi_tethering_rounded=material/wifi_tethering_rounded.png ede3.codepoint=wifi_tethering_sharp wifi_tethering_sharp=material/wifi_tethering_sharp.png f07da.codepoint=wind_power wind_power=material/wind_power.png f072a.codepoint=wind_power_outlined wind_power_outlined=material/wind_power_outlined.png f0832.codepoint=wind_power_rounded wind_power_rounded=material/wind_power_rounded.png f0782.codepoint=wind_power_sharp wind_power_sharp=material/wind_power_sharp.png e6f0.codepoint=window window=material/window.png f4d1.codepoint=window_outlined window_outlined=material/window_outlined.png f02c3.codepoint=window_rounded window_rounded=material/window_rounded.png ede4.codepoint=window_sharp window_sharp=material/window_sharp.png e6f1.codepoint=wine_bar wine_bar=material/wine_bar.png f4d2.codepoint=wine_bar_outlined wine_bar_outlined=material/wine_bar_outlined.png f02c4.codepoint=wine_bar_rounded wine_bar_rounded=material/wine_bar_rounded.png ede5.codepoint=wine_bar_sharp wine_bar_sharp=material/wine_bar_sharp.png f05ab.codepoint=woman woman=material/woman.png f069e.codepoint=woman_outlined woman_outlined=material/woman_outlined.png f03bd.codepoint=woman_rounded woman_rounded=material/woman_rounded.png f04b0.codepoint=woman_sharp woman_sharp=material/woman_sharp.png f05ac.codepoint=woo_commerce woo_commerce=material/woo_commerce.png f069f.codepoint=woo_commerce_outlined woo_commerce_outlined=material/woo_commerce_outlined.png f03be.codepoint=woo_commerce_rounded woo_commerce_rounded=material/woo_commerce_rounded.png f04b1.codepoint=woo_commerce_sharp woo_commerce_sharp=material/woo_commerce_sharp.png f05ad.codepoint=wordpress wordpress=material/wordpress.png f06a0.codepoint=wordpress_outlined wordpress_outlined=material/wordpress_outlined.png f03bf.codepoint=wordpress_rounded wordpress_rounded=material/wordpress_rounded.png f04b2.codepoint=wordpress_sharp wordpress_sharp=material/wordpress_sharp.png e6f2.codepoint=work work=material/work.png f07db.codepoint=work_history work_history=material/work_history.png f072b.codepoint=work_history_outlined work_history_outlined=material/work_history_outlined.png f0833.codepoint=work_history_rounded work_history_rounded=material/work_history_rounded.png f0783.codepoint=work_history_sharp work_history_sharp=material/work_history_sharp.png e6f3.codepoint=work_off work_off=material/work_off.png f4d3.codepoint=work_off_outlined work_off_outlined=material/work_off_outlined.png f02c5.codepoint=work_off_rounded work_off_rounded=material/work_off_rounded.png ede6.codepoint=work_off_sharp work_off_sharp=material/work_off_sharp.png e6f4.codepoint=work_outline work_outline=material/work_outline.png f4d4.codepoint=work_outline_outlined work_outline_outlined=material/work_outline_outlined.png f02c6.codepoint=work_outline_rounded work_outline_rounded=material/work_outline_rounded.png ede7.codepoint=work_outline_sharp work_outline_sharp=material/work_outline_sharp.png f4d5.codepoint=work_outlined work_outlined=material/work_outlined.png f02c7.codepoint=work_rounded work_rounded=material/work_rounded.png ede8.codepoint=work_sharp work_sharp=material/work_sharp.png f05ae.codepoint=workspace_premium workspace_premium=material/workspace_premium.png f06a1.codepoint=workspace_premium_outlined workspace_premium_outlined=material/workspace_premium_outlined.png f03c0.codepoint=workspace_premium_rounded workspace_premium_rounded=material/workspace_premium_rounded.png f04b3.codepoint=workspace_premium_sharp workspace_premium_sharp=material/workspace_premium_sharp.png e6f5.codepoint=workspaces workspaces=material/workspaces.png e6f6.codepoint=workspaces_filled workspaces_filled=material/workspaces_filled.png e6f7.codepoint=workspaces_outline workspaces_outline=material/workspaces_outline.png f4d6.codepoint=workspaces_outlined workspaces_outlined=material/workspaces_outlined.png f02c8.codepoint=workspaces_rounded workspaces_rounded=material/workspaces_rounded.png ede9.codepoint=workspaces_sharp workspaces_sharp=material/workspaces_sharp.png e6f8.codepoint=wrap_text wrap_text=material/wrap_text.png f4d7.codepoint=wrap_text_outlined wrap_text_outlined=material/wrap_text_outlined.png f02c9.codepoint=wrap_text_rounded wrap_text_rounded=material/wrap_text_rounded.png edea.codepoint=wrap_text_sharp wrap_text_sharp=material/wrap_text_sharp.png e6f9.codepoint=wrong_location wrong_location=material/wrong_location.png f4d8.codepoint=wrong_location_outlined wrong_location_outlined=material/wrong_location_outlined.png f02ca.codepoint=wrong_location_rounded wrong_location_rounded=material/wrong_location_rounded.png edeb.codepoint=wrong_location_sharp wrong_location_sharp=material/wrong_location_sharp.png e6fa.codepoint=wysiwyg wysiwyg=material/wysiwyg.png f4d9.codepoint=wysiwyg_outlined wysiwyg_outlined=material/wysiwyg_outlined.png f02cb.codepoint=wysiwyg_rounded wysiwyg_rounded=material/wysiwyg_rounded.png edec.codepoint=wysiwyg_sharp wysiwyg_sharp=material/wysiwyg_sharp.png e6fb.codepoint=yard yard=material/yard.png f4da.codepoint=yard_outlined yard_outlined=material/yard_outlined.png f02cc.codepoint=yard_rounded yard_rounded=material/yard_rounded.png eded.codepoint=yard_sharp yard_sharp=material/yard_sharp.png e6fc.codepoint=youtube_searched_for youtube_searched_for=material/youtube_searched_for.png f4db.codepoint=youtube_searched_for_outlined youtube_searched_for_outlined=material/youtube_searched_for_outlined.png f02cd.codepoint=youtube_searched_for_rounded youtube_searched_for_rounded=material/youtube_searched_for_rounded.png edee.codepoint=youtube_searched_for_sharp youtube_searched_for_sharp=material/youtube_searched_for_sharp.png e6fd.codepoint=zoom_in zoom_in=material/zoom_in.png f05af.codepoint=zoom_in_map zoom_in_map=material/zoom_in_map.png f06a2.codepoint=zoom_in_map_outlined zoom_in_map_outlined=material/zoom_in_map_outlined.png f03c1.codepoint=zoom_in_map_rounded zoom_in_map_rounded=material/zoom_in_map_rounded.png f04b4.codepoint=zoom_in_map_sharp zoom_in_map_sharp=material/zoom_in_map_sharp.png f4dc.codepoint=zoom_in_outlined zoom_in_outlined=material/zoom_in_outlined.png f02ce.codepoint=zoom_in_rounded zoom_in_rounded=material/zoom_in_rounded.png edef.codepoint=zoom_in_sharp zoom_in_sharp=material/zoom_in_sharp.png e6fe.codepoint=zoom_out zoom_out=material/zoom_out.png e6ff.codepoint=zoom_out_map zoom_out_map=material/zoom_out_map.png f4dd.codepoint=zoom_out_map_outlined zoom_out_map_outlined=material/zoom_out_map_outlined.png f02cf.codepoint=zoom_out_map_rounded zoom_out_map_rounded=material/zoom_out_map_rounded.png edf0.codepoint=zoom_out_map_sharp zoom_out_map_sharp=material/zoom_out_map_sharp.png f4de.codepoint=zoom_out_outlined zoom_out_outlined=material/zoom_out_outlined.png f02d0.codepoint=zoom_out_rounded zoom_out_rounded=material/zoom_out_rounded.png edf1.codepoint=zoom_out_sharp zoom_out_sharp=material/zoom_out_sharp.png
flutter-intellij/resources/flutter/icons/material.properties/0
{ "file_path": "flutter-intellij/resources/flutter/icons/material.properties", "repo_id": "flutter-intellij", "token_count": 280866 }
495
rem Copyright 2020 The Chromium Authors. All rights reserved. rem Use of this source code is governed by a BSD-style license that can be rem found in the LICENSE file. @echo on echo "JAVA_HOME=%JAVA_HOME%" echo "install dart" choco install dart-sdk > choco.log rem Use "call" to run the script otherwise this job ends when the script exits. call RefreshEnv.cmd echo "JAVA_HOME=%JAVA_HOME%" echo "dart version" dart --version cd tool\plugin echo "dart pub get" rem Use "call" to run the script otherwise this job ends when the script exits. call dart pub get --no-precompile cd ..\.. echo "run tests" set JAVA_HOME=%JAVA_HOME_11_X64% echo "JAVA_HOME=%JAVA_HOME%" dart tool\plugin\bin\main.dart test echo "exit"
flutter-intellij/tool/github.bat/0
{ "file_path": "flutter-intellij/tool/github.bat", "repo_id": "flutter-intellij", "token_count": 249 }
496
// Copyright 2017 The Chromium Authors. All rights reserved. Use of this source // code is governed by a BSD-style license that can be found in the LICENSE file. import 'dart:async'; import 'dart:io'; import 'package:args/command_runner.dart'; import 'runner.dart'; import 'util.dart'; class LintCommand extends Command { @override final BuildCommandRunner runner; LintCommand(this.runner); @override String get name => 'lint'; @override String get description => 'Perform simple validations on the flutter-intellij repo code.'; @override Future<int> run() async { // Check for unintentionally imported annotations. if (checkForBadImports()) { return 1; } // Print a report for the API used from the Dart plugin. printApiUsage(); return 0; } void printApiUsage() { separator('Dart plugin API usage'); final result = Process.runSync( 'git', // Note: extra quotes added so grep doesn't match this file. ['grep', 'import com.jetbrains.' 'lang.dart.'], ); final String imports = result.stdout.trim(); // path:import final usages = <String, List<String>>{}; imports.split('\n').forEach((String line) { if (line.trim().isEmpty) { return; } var index = line.indexOf(':'); var place = line.substring(0, index); var import = line.substring(index + 1); if (import.startsWith('import ')) import = import.substring(7); if (import.endsWith(';')) import = import.substring(0, import.length - 1); usages.putIfAbsent(import, () => []); usages[import]!.add(place); }); // print report final keys = usages.keys.toList(); keys.sort(); print('${keys.length} separate Dart plugin APIs used:'); print('------'); for (var import in keys) { print('$import:'); var places = usages[import]; for (var place in places!) { print(' $place'); } print(''); } } /// Return `true` if an import violation was found. bool checkForBadImports() { separator('Check for bad imports'); final proscribedImports = [ 'com.android.annotations.NonNull', 'io.netty.', 'javax.annotation.Nullable', // org.apache.commons.lang.StringUtils and // org.apache.commons.lang.StringEscapeUtils are being deprecated, // use org.apache.commons.lang3.* instead. // See https://github.com/flutter/flutter-intellij/issues/6933 'org.apache.commons.lang.StringUtils', 'org.apache.commons.lang.StringEscapeUtils', // Not technically a bad import, but not all IntelliJ platforms provide // this library. 'org.apache.commons.io.', ]; for (var import in proscribedImports) { print('Checking for import of "$import"...'); final result = Process.runSync( 'git', ['grep', 'import $import'], ); final String results = result.stdout.trim(); if (results.isNotEmpty) { print('Found proscribed imports:\n'); print(results); return true; } else { print(' none found'); } } final partialImports = [ 'com.sun.', ]; for (var import in partialImports) { print('Checking for import of "$import"...'); final result = Process.runSync( 'git', ['grep', 'import $import'], ); final String results = result.stdout.trim(); if (results.isNotEmpty) { print('Found proscribed imports:\n'); print(results); return true; } else { print(' none found'); } } return false; } }
flutter-intellij/tool/plugin/lib/lint.dart/0
{ "file_path": "flutter-intellij/tool/plugin/lib/lint.dart", "repo_id": "flutter-intellij", "token_count": 1443 }
497
<!-- when editing this file also update https://github.com/flutter/.github/blob/main/CONTRIBUTING.md --> Contributing to Flutter ======================= _tl;dr: join [Discord](https://github.com/flutter/flutter/wiki/Chat), be [courteous](CODE_OF_CONDUCT.md), follow the steps below to set up a development environment; if you stick around and contribute, you can [join the team](https://github.com/flutter/flutter/wiki/Contributor-access) and get commit access._ Welcome ------- We invite you to join the Flutter team, which is made up of volunteers and sponsored folk alike! There are many ways to contribute, including writing code, filing issues on GitHub, helping people on our mailing lists, our chat channels, or on Stack Overflow, helping to triage, reproduce, or fix bugs that people have filed, adding to our documentation, doing outreach about Flutter, or helping out in any other way. We grant commit access (which includes full rights to the issue database, such as being able to edit labels) to people who have gained our trust and demonstrated a commitment to Flutter. For more details see the [Contributor access](https://github.com/flutter/flutter/wiki/Contributor-access) page on our wiki. We communicate primarily over GitHub and [Discord](https://github.com/flutter/flutter/wiki/Chat). Before you get started, we encourage you to read these documents which describe some of our community norms: 1. [Our code of conduct](CODE_OF_CONDUCT.md), which stipulates explicitly that everyone must be gracious, respectful, and professional. This also documents our conflict resolution policy and encourages people to ask questions. 2. [Values](https://github.com/flutter/flutter/wiki/Values), which talks about what we care most about. Helping out in the issue database --------------------------------- Triage is the process of going through bug reports and determining if they are valid, finding out how to reproduce them, catching duplicate reports, and generally making our issues list useful for our engineers. If you want to help us triage, you are very welcome to do so! 1. Join the #hackers-triage [Discord channel](https://github.com/flutter/flutter/wiki/Chat). 2. Read [our code of conduct](CODE_OF_CONDUCT.md), which stipulates explicitly that everyone must be gracious, respectful, and professional. If you're helping out with triage, you are representing the Flutter team, and so you want to make sure to make a good impression! 3. Help out as described in our wiki: https://github.com/flutter/flutter/wiki/Triage You won't be able to add labels at first, so instead start by trying to do the other steps, e.g. trying to reproduce the problem and asking for people to provide enough details that you can reproduce the problem, pointing out duplicates, and so on. Chat on the #hackers-triage channel to let us know what you're up to! 4. Familiarize yourself with our [issue hygiene](https://github.com/flutter/flutter/wiki/Issue-hygiene) wiki page, which covers the meanings of some important GitHub labels and milestones. 5. Once you've been doing this for a while, someone will invite you to the flutter-hackers team on GitHub and you'll be able to add labels too. See the [contributor access](https://github.com/flutter/flutter/wiki/Contributor-access) wiki page for details. Quality Assurance ----------------- One of the most useful tasks, closely related to triage, is finding and filing bug reports. Testing beta releases, looking for regressions, creating test cases, adding to our test suites, and other work along these lines can really drive the quality of the product up. Creating tests that increase our test coverage, writing tests for issues others have filed, all these tasks are really valuable contributions to open source projects. If this interests you, you can jump in and submit bug reports without needing anyone's permission! The #quality-assurance channel on our [Discord server](https://github.com/flutter/flutter/wiki/Chat) is a good place to talk about what you're doing. We're especially eager for QA testing when we announce a beta release. See https://github.com/flutter/flutter/wiki/Quality-Assurance for more details. If you want to contribute test cases, you can also submit PRs. See the next section for how to set up your development environment, or ask in #hackers-test on Discord. > As a personal side note, this is exactly the kind of work that first got me into open > source. I was a Quality Assurance volunteer on the Mozilla project, writing test cases for > browsers, long before I wrote a line of code for any open source project. —Hixie Developing for Flutter ---------------------- If you would prefer to write code, you may wish to start with our list of good first issues for [Flutter](https://github.com/flutter/flutter/issues?q=is%3Aopen+is%3Aissue+label%3A%22good+first+issue%22) or for [Flutter DevTools](https://github.com/flutter/devtools/labels/good%20first%20issue). See the respective sections below for further instructions. ### Framework and Engine To develop for Flutter, you will eventually need to become familiar with our processes and conventions. This section lists the documents that describe these methodologies. The following list is ordered: you are strongly recommended to go through these documents in the order presented. 1. [Setting up your engine development environment](https://github.com/flutter/flutter/wiki/Setting-up-the-Engine-development-environment), which describes the steps you need to configure your computer to work on Flutter's engine. If you only want to write code for the Flutter framework, you can skip this step. Flutter's engine mainly uses C++, Java, and Objective-C. 2. [Setting up your framework development environment](https://github.com/flutter/flutter/wiki/Setting-up-the-Framework-development-environment), which describes the steps you need to configure your computer to work on Flutter's framework. Flutter's framework mainly uses Dart. 3. [Tree hygiene](https://github.com/flutter/flutter/wiki/Tree-hygiene), which covers how to land a PR, how to do code review, how to handle breaking changes, how to handle regressions, and how to handle post-commit test failures. 4. [Our style guide](https://github.com/flutter/flutter/wiki/Style-guide-for-Flutter-repo), which includes advice for designing APIs for Flutter, and how to format code in the framework. 5. [Flutter design doc template](https://flutter.dev/go/template), which should be used when proposing a new technical design. This is a good practice to do before coding more intricate changes. See also our [guidance for writing design docs](https://github.com/flutter/flutter/wiki/Design-Documents). [![How to contribute to Flutter](https://img.youtube.com/vi/4yBgOBAOx_A/0.jpg)](https://www.youtube.com/watch?v=4yBgOBAOx_A) In addition to the documents, there is a video linked above on **How to contribute to Flutter** from the [Flutter](https://youtube.com/c/flutterdev) YouTube channel, there are many pages on [our Wiki](https://github.com/flutter/flutter/wiki/), and an article [Contributing to Flutter: Getting Started](https://medium.com/@ayushbherwani/contributing-to-flutter-getting-started-a0db68cbcd5b) on Medium that may be of interest. For a curated list of pages see the sidebar on the wiki's home page. They are more or less listed in order of importance. ### DevTools Contributing code to Dart & Flutter DevTools may be a good place to start if you are looking to dip your toes into contributing with a relatively low-cost setup or if you are generally excited about improving the Dart & Flutter developer experience. Please see the DevTools [CONTRIBUTING.md](https://github.com/flutter/devtools/blob/master/CONTRIBUTING.md) guide to get started. Outreach -------- If your interests lie in the direction of developer relations and developer outreach, whether advocating for Flutter, answering questions in fora like [Stack Overflow](https://stackoverflow.com/questions/tagged/flutter?sort=Newest&filters=NoAnswers,NoAcceptedAnswer&edited=true) or [Reddit](https://www.reddit.com/r/flutterhelp/new/?f=flair_name%3A%22OPEN%22), or creating content for our [documentation](https://docs.flutter.dev/) or sites like [YouTube](https://www.youtube.com/results?search_query=flutter&sp=EgQIAxAB), the best starting point is to join the #hackers-devrel [Discord channel](https://github.com/flutter/flutter/wiki/Chat). From there, you can describe what you're interested in doing, and go ahead and do it! As others become familiar with your work, they may have feedback, be interested in collaborating, or want to coordinate their efforts with yours. API documentation ----------------- Another great area to contribute in is sample code and API documentation. If this is an area that interests you, join our [Discord](https://github.com/flutter/flutter/wiki/Chat) server and introduce yourself on the #hackers-deverl, #hackers-framework, or #hackers-engine channels, describing your area of interest. As our API docs are integrated into our source code, see the "developing for Flutter" section above for a guide on how to set up your developer environment. To contribute API documentation, an excellent command of the English language is particularly helpful, as is a careful attention to detail. We have a [whole section in our style guide](https://github.com/flutter/flutter/wiki/Style-guide-for-Flutter-repo#documentation-dartdocs-javadocs-etc) that you should read before you write API documentation. It includes notes on the "Flutter Voice", such as our word and grammar conventions. In general, a really productive way to improve documentation is to use Flutter and stop any time you have a question: find the answer, then document the answer where you first looked for it. We also keep [a list of areas that need better API documentation](https://github.com/flutter/flutter/issues?q=is%3Aopen+is%3Aissue+label%3A%22d%3A+api+docs%22+sort%3Areactions-%2B1-desc). In many cases, we have written down what needs to be said in the relevant issue, we just haven't gotten around to doing it! We're especially eager to add sample code and diagrams to our API documentation. Diagrams are generated from Flutter code that draws to a canvas, and stored in a [special repository](https://github.com/flutter/assets-for-api-docs/#readme). It can be a lot of fun to create new diagrams for the API docs. Releases -------- If you are interested in participating in our release process, which may involve writing release notes and blog posts, coordinating the actual generation of binaries, updating our release tooling, and other work of that nature, then reach out on the #hackers-releases channel of our [Discord](https://github.com/flutter/flutter/wiki/Chat) server. Social events in the contributor community ------------------------------------------ Finally, one area where you could have a lot of impact is in contributing to social interactions among the Flutter contributor community itself. This could take the form of organizing weekly video chats on our Discord, or planning tech talks from contributors, for example. If this is an area that is of interest to you, please join our [Discord](https://github.com/flutter/flutter/wiki/Chat) and ping Hixie on the #hackers channel!
flutter/CONTRIBUTING.md/0
{ "file_path": "flutter/CONTRIBUTING.md", "repo_id": "flutter", "token_count": 3008 }
498
23e56af4a622ded77838958ffccc89cf4aaa23b2
flutter/bin/internal/flutter_packages.version/0
{ "file_path": "flutter/bin/internal/flutter_packages.version", "repo_id": "flutter", "token_count": 23 }
499
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:flutter/material.dart'; import 'use_cases.dart'; class AutoCompleteUseCase extends UseCase { @override String get name => 'AutoComplete'; @override String get route => '/auto-complete'; @override Widget build(BuildContext context) => const _MainWidget(); } class _MainWidget extends StatefulWidget { const _MainWidget(); @override State<_MainWidget> createState() => _MainWidgetState(); } class _MainWidgetState extends State<_MainWidget> { static const List<String> _kOptions = <String>[ 'apple', 'banana', 'lemon', ]; static Widget _fieldViewBuilder(BuildContext context, TextEditingController textEditingController, FocusNode focusNode, VoidCallback onFieldSubmitted) { return TextFormField( focusNode: focusNode, controller: textEditingController, onFieldSubmitted: (String value) { onFieldSubmitted(); }, ); } @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( backgroundColor: Theme.of(context).colorScheme.inversePrimary, title: const Text('AutoComplete'), ), body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ Text( 'Type below to autocomplete the following possible results: $_kOptions.'), Autocomplete<String>( optionsBuilder: (TextEditingValue textEditingValue) { if (textEditingValue.text == '') { return const Iterable<String>.empty(); } return _kOptions.where((String option) { return option.contains(textEditingValue.text.toLowerCase()); }); }, fieldViewBuilder: _fieldViewBuilder, ), ], ), ), ); } }
flutter/dev/a11y_assessments/lib/use_cases/auto_complete.dart/0
{ "file_path": "flutter/dev/a11y_assessments/lib/use_cases/auto_complete.dart", "repo_id": "flutter", "token_count": 821 }
500
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'package:a11y_assessments/use_cases/auto_complete.dart'; import 'package:flutter/material.dart'; import 'package:flutter_test/flutter_test.dart'; import 'test_utils.dart'; void main() { testWidgets('auto complete can run', (WidgetTester tester) async { await pumpsUseCase(tester, AutoCompleteUseCase()); await tester.enterText(find.byType(TextFormField), 'a'); await tester.pumpAndSettle(); expect(find.text('apple'), findsOneWidget); }); }
flutter/dev/a11y_assessments/test/auto_complete_test.dart/0
{ "file_path": "flutter/dev/a11y_assessments/test/auto_complete_test.dart", "repo_id": "flutter", "token_count": 210 }
501
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // See also packages/flutter_goldens/test/flutter_goldens_test.dart import 'dart:typed_data'; import 'package:file/file.dart'; import 'package:file/memory.dart'; import 'package:flutter_goldens/flutter_goldens.dart'; import 'package:flutter_test/flutter_test.dart'; import 'package:platform/platform.dart'; // 1x1 colored pixel const List<int> _kFailPngBytes = <int>[ 137, 80, 78, 71, 13, 10, 26, 10, 0, 0, 0, 13, 73, 72, 68, 82, 0, 0, 0, 1, 0, 0, 0, 1, 8, 6, 0, 0, 0, 31, 21, 196, 137, 0, 0, 0, 13, 73, 68, 65, 84, 120, 1, 99, 249, 207, 240, 255, 63, 0, 7, 18, 3, 2, 164, 147, 160, 197, 0, 0, 0, 0, 73, 69, 78, 68, 174, 66, 96, 130, ]; void main() { final List<String> log = <String>[]; final MemoryFileSystem fs = MemoryFileSystem(); final Directory basedir = fs.directory('flutter/test/library/') ..createSync(recursive: true); final FakeSkiaGoldClient fakeSkiaClient = FakeSkiaGoldClient() ..expectationForTestValues['flutter.new_golden_test.1'] = ''; final FlutterLocalFileComparator comparator = FlutterLocalFileComparator( basedir.uri, fakeSkiaClient, fs: fs, platform: FakePlatform( environment: <String, String>{'FLUTTER_ROOT': '/flutter'}, operatingSystem: 'macos' ), log: log.add, ); test('Local passes non-existent baseline for new test, null expectation', () async { log.clear(); expect( await comparator.compare( Uint8List.fromList(_kFailPngBytes), Uri.parse('flutter.new_golden_test.1.png'), ), isTrue, ); const String expectation = 'No expectations provided by Skia Gold for test: library.flutter.new_golden_test.1.png. ' 'This may be a new test. If this is an unexpected result, check https://flutter-gold.skia.org.\n' 'Validate image output found at flutter/test/library/'; expect(log, const <String>[expectation]); }); test('Local passes non-existent baseline for new test, empty expectation', () async { log.clear(); expect( await comparator.compare( Uint8List.fromList(_kFailPngBytes), Uri.parse('flutter.new_golden_test.2.png'), ), isTrue, ); const String expectation = 'No expectations provided by Skia Gold for test: library.flutter.new_golden_test.2.png. ' 'This may be a new test. If this is an unexpected result, check https://flutter-gold.skia.org.\n' 'Validate image output found at flutter/test/library/'; expect(log, const <String>[expectation]); }); } // See also packages/flutter_goldens/test/flutter_goldens_test.dart class FakeSkiaGoldClient extends Fake implements SkiaGoldClient { Map<String, String> expectationForTestValues = <String, String>{}; Object? getExpectationForTestThrowable; @override Future<String> getExpectationForTest(String testName) async { if (getExpectationForTestThrowable != null) { throw getExpectationForTestThrowable!; } return expectationForTestValues[testName] ?? ''; } Map<String, List<int>> imageBytesValues = <String, List<int>>{}; @override Future<List<int>> getImageBytes(String imageHash) async => imageBytesValues[imageHash]!; Map<String, String> cleanTestNameValues = <String, String>{}; @override String cleanTestName(String fileName) => cleanTestNameValues[fileName] ?? ''; }
flutter/dev/automated_tests/flutter_test/flutter_gold_test.dart/0
{ "file_path": "flutter/dev/automated_tests/flutter_test/flutter_gold_test.dart", "repo_id": "flutter", "token_count": 1281 }
502
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:async'; import 'package:flutter_test/flutter_test.dart'; // This is a test to make sure that an asynchronous exception thrown after a // test ended actually causes a test failure. // See //flutter/dev/bots/test.dart void main() { final Completer<void> complete = Completer<void>(); testWidgets('test smoke test -- this test SHOULD FAIL', (WidgetTester tester) async { tester.runAsync(() async { Timer.run(() { complete.complete(); throw StateError('Exception thrown after test completed.'); }); }); }); tearDown(() async { print('Waiting for asynchronous exception...'); await complete.future; }); }
flutter/dev/automated_tests/test_smoke_test/fail_test_on_exception_after_test.dart/0
{ "file_path": "flutter/dev/automated_tests/test_smoke_test/fail_test_on_exception_after_test.dart", "repo_id": "flutter", "token_count": 269 }
503
distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists distributionUrl=https\://services.gradle.org/distributions/gradle-8.0.2-bin.zip zipStoreBase=GRADLE_USER_HOME zipStorePath=wrapper/dists
flutter/dev/benchmarks/complex_layout/android/gradle/wrapper/gradle-wrapper.properties/0
{ "file_path": "flutter/dev/benchmarks/complex_layout/android/gradle/wrapper/gradle-wrapper.properties", "repo_id": "flutter", "token_count": 73 }
504
#include "../../Flutter/Flutter-Debug.xcconfig" #include "Warnings.xcconfig"
flutter/dev/benchmarks/complex_layout/macos/Runner/Configs/Debug.xcconfig/0
{ "file_path": "flutter/dev/benchmarks/complex_layout/macos/Runner/Configs/Debug.xcconfig", "repo_id": "flutter", "token_count": 32 }
505
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:async'; import 'package:complex_layout/src/app.dart'; import 'package:flutter/material.dart'; import 'package:flutter/scheduler.dart'; import 'package:flutter_test/flutter_test.dart'; /// The speed, in pixels per second, that the drag gestures should end with. const double speed = 1500.0; /// The number of down drags and the number of up drags. The total number of /// gestures is twice this number. const int maxIterations = 4; /// The time that is allowed between gestures for the fling effect to settle. const Duration pauses = Duration(milliseconds: 500); Future<void> main() async { final Completer<void> ready = Completer<void>(); runApp(GestureDetector( onTap: () { debugPrint('Received tap.'); ready.complete(); }, behavior: HitTestBehavior.opaque, child: const IgnorePointer( child: ComplexLayoutApp(), ), )); await SchedulerBinding.instance.endOfFrame; /// Wait 50ms to allow the raster thread to actually put up the frame. (The /// endOfFrame future ends when we send the data to the engine, before /// the raster thread has had a chance to rasterize, etc.) await Future<void>.delayed(const Duration(milliseconds: 50)); debugPrint('==== MEMORY BENCHMARK ==== READY ===='); await ready.future; // waits for tap sent by devicelab task debugPrint('Continuing...'); // remove onTap handler, enable pointer events for app runApp(GestureDetector( child: const IgnorePointer( ignoring: false, child: ComplexLayoutApp(), ), )); await SchedulerBinding.instance.endOfFrame; final WidgetController controller = LiveWidgetController(WidgetsBinding.instance); // Scroll down for (int iteration = 0; iteration < maxIterations; iteration += 1) { debugPrint('Scroll down... $iteration/$maxIterations'); await controller.fling(find.byType(ListView), const Offset(0.0, -700.0), speed); await Future<void>.delayed(pauses); } // Scroll up for (int iteration = 0; iteration < maxIterations; iteration += 1) { debugPrint('Scroll up... $iteration/$maxIterations'); await controller.fling(find.byType(ListView), const Offset(0.0, 300.0), speed); await Future<void>.delayed(pauses); } debugPrint('==== MEMORY BENCHMARK ==== DONE ===='); }
flutter/dev/benchmarks/complex_layout/test_memory/scroll_perf.dart/0
{ "file_path": "flutter/dev/benchmarks/complex_layout/test_memory/scroll_perf.dart", "repo_id": "flutter", "token_count": 776 }
506
# Macrobenchmarks Performance benchmarks use either flutter drive or the web benchmark harness. ## Mobile benchmarks ### Cull opacity benchmark To run the cull opacity benchmark on a device: ``` flutter drive --profile -t test_driver/run_app.dart --driver test_driver/cull_opacity_perf_test.dart ``` Results should be in the file `build/cull_opacity_perf.timeline_summary.json`. More detailed logs should be in `build/cull_opacity_perf.timeline.json`. ### Cubic bezier benchmark To run the cubic-bezier benchmark on a device: ``` flutter drive --profile -t test_driver/run_app.dart --driver test_driver/cubic_bezier_perf_test.dart ``` Results should be in the file `build/cubic_bezier_perf.timeline_summary.json`. More detailed logs should be in `build/cubic_bezier_perf.timeline.json`. ### Backdrop filter benchmark To run the backdrop filter benchmark on a device: To run a mobile benchmark on a device: ```bash flutter drive --profile -t test_driver/run_app.dart --driver test_driver/[test_name]_test.dart ``` Results should be in the file `build/[test_name].timeline_summary.json`. More detailed logs should be in `build/[test_name].timeline.json`. The key `[test_name]` can be: - `animated_placeholder_perf` - `backdrop_filter_perf` - `color_filter_and_fade_perf` - `cubic_bezier_perf` - `cull_opacity_perf` - `fading_child_animation_perf` - `imagefiltered_transform_animation_perf` - `multi_widget_construction_perf` - `picture_cache_perf` - `post_backdrop_filter_perf` - `simple_animation_perf` - `textfield_perf` - `fullscreen_textfield_perf` ### E2E benchmarks (On-going work) [E2E](https://pub.dev/packages/e2e)-based tests are driven independent of the host machine. The following tests are E2E: - `cull_opacity_perf.dart` - `multi_widget_construction_perf` These tests should be run by: ```bash flutter drive --profile -t test/[test_name]_e2e.dart --driver test_driver/e2e_test.dart ``` ## Web benchmarks Web benchmarks are compiled from the same entry point in `lib/web_benchmarks.dart`. ### How to write a web benchmark Create a new file for your benchmark under `lib/src/web`. See `bench_draw_rect.dart` as an example. Choose one of the two benchmark types: - A "raw benchmark" records performance metrics from direct interactions with `dart:ui` with no framework. This kind of benchmark is good for benchmarking low-level engine primitives, such as layer, picture, and semantics performance. - A "widget benchmark" records performance metrics using a widget. This kind of benchmark is good for measuring the performance of widgets, often together with engine work that widget-under-test incurs. - A "widget build benchmark" records the cost of building a widget from nothing. This is different from the "widget benchmark" because typically the latter only performs incremental UI updates, such as an animation. In contrast, this benchmark pumps an empty frame to clear all previously built widgets and rebuilds them from scratch. For a raw benchmark extend `RawRecorder` (tip: you can start by copying `bench_draw_rect.dart`). For a widget benchmark extend `WidgetRecorder` (tip: you can start by copying `bench_simple_lazy_text_scroll.dart`). For a widget build benchmark extend `WidgetBuildRecorder` (tip: you can start by copying `bench_build_material_checkbox.dart`). Pick a unique benchmark name and class name and add it to the `benchmarks` list in `lib/web_benchmarks.dart`. ### How to run a web benchmark Web benchmarks can be run using `flutter run` in debug, profile, and release modes, using either the HTML or the CanvasKit rendering backend. Note, however, that running in debug mode will result in worse numbers. Profile mode is useful for profiling in Chrome DevTools because the numbers are close to release mode and the profile contains unobfuscated names. Example: ``` cd dev/benchmarks/macrobenchmarks # Runs in profile mode using the HTML renderer flutter run --web-renderer=html --profile -d web-server lib/web_benchmarks.dart # Runs in profile mode using the CanvasKit renderer flutter run --web-renderer=canvaskit --profile -d web-server lib/web_benchmarks.dart ``` You can also run all benchmarks exactly as the devicelab runs them: ``` cd dev/devicelab # Runs using the HTML renderer ../../bin/cache/dart-sdk/bin/dart bin/run.dart -t bin/tasks/web_benchmarks_html.dart # Runs using the CanvasKit renderer ../../bin/cache/dart-sdk/bin/dart bin/run.dart -t bin/tasks/web_benchmarks_canvaskit.dart ``` ## Frame policy test File `test/frame_policy.dart` and its driving script `test_driver/frame_policy_test.dart` are used for testing [`fullyLive`](https://api.flutter.dev/flutter/flutter_test/LiveTestWidgetsFlutterBindingFramePolicy-class.html) and [`benchmarkLive`](https://api.flutter.dev/flutter/flutter_test/LiveTestWidgetsFlutterBindingFramePolicy-class.html) policies in terms of its effect on [`WidgetTester.handlePointerEventRecord`](https://api.flutter.dev/flutter/flutter_test/WidgetTester/handlePointerEventRecord.html).
flutter/dev/benchmarks/macrobenchmarks/README.md/0
{ "file_path": "flutter/dev/benchmarks/macrobenchmarks/README.md", "repo_id": "flutter", "token_count": 1586 }
507
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:convert'; import 'dart:ui' as ui show Codec; import 'dart:ui'; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; /// An animated GIF image with 3 1x1 pixel frames (a red, green, and blue /// frames). The GIF animates forever, and each frame has a 100ms delay. const String kAnimatedGif = 'R0lGODlhAQABAKEDAAAA//8AAAD/AP///yH/C05FVFNDQVBFMi' '4wAwEAAAAh+QQACgD/ACwAAAAAAQABAAACAkwBACH5BAAKAP8A' 'LAAAAAABAAEAAAICVAEAIfkEAAoA/wAsAAAAAAEAAQAAAgJEAQ' 'A7'; /// A 50x50 blue square png const String kBlueSquare = 'iVBORw0KGgoAAAANSUhEUgAAADIAAAAyCAYAAAAeP4ixAAAASEl' 'EQVR42u3PMQ0AMAgAsGFjL/4tYQU08JLWQSN/9TsgRERERERERE' 'REREREREREREREREREREREREREREREREREREREREQ2BgNuaUcSj' 'uqqAAAAAElFTkSuQmCC'; /// A 10x10 grid of animated looping placeholder gifts that fade into a /// blue square. class AnimatedPlaceholderPage extends StatelessWidget { const AnimatedPlaceholderPage({super.key}); @override Widget build(BuildContext context) { return GridView.builder( itemCount: 100, gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(crossAxisCount: 10), itemBuilder: (BuildContext context, int index) { return FadeInImage( placeholder: const DelayedBase64Image(Duration.zero, kAnimatedGif), image: DelayedBase64Image(Duration(milliseconds: 100 * index), kBlueSquare), ); }, ); } } int _key = 0; /// An image provider that is always unique from other DelayedBase64Images and /// simulates a delay in loading. class DelayedBase64Image extends ImageProvider<int> { const DelayedBase64Image(this.delay, this.data); final String data; final Duration delay; @override Future<int> obtainKey(ImageConfiguration configuration) { return SynchronousFuture<int>(_key++); } @override ImageStreamCompleter loadImage(int key, ImageDecoderCallback decode) { return MultiFrameImageStreamCompleter( codec: Future<ui.Codec>.delayed( delay, () async => decode(await ImmutableBuffer.fromUint8List(base64.decode(data))), ), scale: 1.0, ); } }
flutter/dev/benchmarks/macrobenchmarks/lib/src/animated_placeholder.dart/0
{ "file_path": "flutter/dev/benchmarks/macrobenchmarks/lib/src/animated_placeholder.dart", "repo_id": "flutter", "token_count": 1026 }
508
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:async'; import 'package:flutter/material.dart'; /// Displays a new (from image cache's perspective) large image every 500ms. class LargeImageChangerPage extends StatefulWidget { const LargeImageChangerPage({super.key}); @override State<LargeImageChangerPage> createState() => _LargeImageChangerState(); } class _LargeImageChangerState extends State<LargeImageChangerPage> { Timer? _timer; int imageIndex = 0; late ImageProvider currentImage; @override void didChangeDependencies() { super.didChangeDependencies(); currentImage = ResizeImage( const ExactAssetImage('assets/999x1000.png'), width: (MediaQuery.of(context).size.width * 2).toInt() + imageIndex, height: (MediaQuery.of(context).size.height * 2).toInt() + imageIndex, allowUpscaling: true, ); _timer?.cancel(); _timer = Timer.periodic(const Duration(seconds: 3), (Timer timer) { currentImage.evict().then((_) { setState(() { imageIndex = (imageIndex + 1) % 6; currentImage = ResizeImage( const ExactAssetImage('assets/999x1000.png'), width: (MediaQuery.of(context).size.width * 2).toInt() + imageIndex, height: (MediaQuery.of(context).size.height * 2).toInt() + imageIndex, allowUpscaling: true, ); }); }); }); } @override void dispose() { _timer?.cancel(); super.dispose(); } @override Widget build(BuildContext context) { return Image(image: currentImage); } }
flutter/dev/benchmarks/macrobenchmarks/lib/src/large_image_changer.dart/0
{ "file_path": "flutter/dev/benchmarks/macrobenchmarks/lib/src/large_image_changer.dart", "repo_id": "flutter", "token_count": 637 }
509
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:math'; import 'dart:typed_data'; import 'dart:ui'; import 'package:flutter/material.dart'; // Adapted from test case submitted in // https://github.com/flutter/flutter/issues/92366 // Converted to use fixed data rather than reading a waveform file class VeryLongPictureScrollingPerf extends StatefulWidget { const VeryLongPictureScrollingPerf({super.key}); @override State createState() => VeryLongPictureScrollingPerfState(); } class VeryLongPictureScrollingPerfState extends State<VeryLongPictureScrollingPerf> { bool consolidate = false; bool useList = false; Int16List waveData = loadGraph(); @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( actions: <Widget>[ Row( children: <Widget>[ const Text('list:'), Checkbox(value: useList, onChanged: (bool? value) => setState(() { useList = value!; }),), ], ), Row( children: <Widget>[ const Text('consolidate:'), Checkbox(value: consolidate, onChanged: (bool? value) => setState(() { consolidate = value!; }),), ], ), ], ), backgroundColor: Colors.transparent, body: SizedBox( width: MediaQuery.of(context).size.width, height: MediaQuery.of(context).size.height, child: useList ? ListView.builder( key: const ValueKey<String>('vlp_list_view_scrollable'), scrollDirection: Axis.horizontal, clipBehavior: Clip.none, itemCount: (waveData.length / 200).ceil(), itemExtent: 100, itemBuilder: (BuildContext context, int index) => CustomPaint( painter: PaintSomeTest( waveData: waveData, from: index * 200, to: min((index + 1) * 200, waveData.length - 1), ) ), ) : SingleChildScrollView( key: const ValueKey<String>('vlp_single_child_scrollable'), scrollDirection: Axis.horizontal, child: SizedBox( width: MediaQuery.of(context).size.width * 20, height: MediaQuery.of(context).size.height, child: RepaintBoundary( child: CustomPaint( isComplex: true, painter: PaintTest( consolidate: consolidate, waveData: waveData, ), ), ), ), ), ), ); } } class PaintTest extends CustomPainter { const PaintTest({ required this.consolidate, required this.waveData, }); final bool consolidate; final Int16List waveData; @override void paint(Canvas canvas, Size size) { final double height = size.height; double x = 0; const double strokeSize = .5; const double zoomFactor = .5; final Paint paintPos = Paint() ..color = Colors.pink ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; final Paint paintNeg = Paint() ..color = Colors.pink ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; final Paint paintZero = Paint() ..color = Colors.green ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; int index = 0; Paint? listPaint; final Float32List offsets = Float32List(consolidate ? waveData.length * 4 : 4); int used = 0; for (index = 0; index < waveData.length; index++) { Paint curPaint; Offset p1; if (waveData[index].isNegative) { curPaint = paintPos; p1 = Offset(x, height * 1 / 2 - waveData[index] / 32768 * (height / 2)); } else if (waveData[index] == 0) { curPaint = paintZero; p1 = Offset(x, height * 1 / 2 + 1); } else { curPaint = (waveData[index] == 0) ? paintZero : paintNeg; p1 = Offset(x, height * 1 / 2 - waveData[index] / 32767 * (height / 2)); } final Offset p0 = Offset(x, height * 1 / 2); if (consolidate) { if (listPaint != null && listPaint != curPaint) { canvas.drawRawPoints(PointMode.lines, offsets.sublist(0, used), listPaint); used = 0; } listPaint = curPaint; offsets[used++] = p0.dx; offsets[used++] = p0.dy; offsets[used++] = p1.dx; offsets[used++] = p1.dy; } else { canvas.drawLine(p0, p1, curPaint); } x += zoomFactor; } if (consolidate && used > 0) { canvas.drawRawPoints(PointMode.lines, offsets.sublist(0, used), listPaint!); } } @override bool shouldRepaint(CustomPainter oldDelegate) { return oldDelegate is! PaintTest || oldDelegate.consolidate != consolidate || oldDelegate.waveData != waveData; } } class PaintSomeTest extends CustomPainter { const PaintSomeTest({ required this.waveData, int? from, int? to, }) : from = from ?? 0, to = to?? waveData.length; final Int16List waveData; final int from; final int to; @override void paint(Canvas canvas, Size size) { final double height = size.height; double x = 0; const double strokeSize = .5; const double zoomFactor = .5; final Paint paintPos = Paint() ..color = Colors.pink ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; final Paint paintNeg = Paint() ..color = Colors.pink ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; final Paint paintZero = Paint() ..color = Colors.green ..strokeWidth = strokeSize ..isAntiAlias = false ..style = PaintingStyle.stroke; for (int index = from; index <= to; index++) { Paint curPaint; Offset p1; if (waveData[index].isNegative) { curPaint = paintPos; p1 = Offset(x, height * 1 / 2 - waveData[index] / 32768 * (height / 2)); } else if (waveData[index] == 0) { curPaint = paintZero; p1 = Offset(x, height * 1 / 2 + 1); } else { curPaint = (waveData[index] == 0) ? paintZero : paintNeg; p1 = Offset(x, height * 1 / 2 - waveData[index] / 32767 * (height / 2)); } final Offset p0 = Offset(x, height * 1 / 2); canvas.drawLine(p0, p1, curPaint); x += zoomFactor; } } @override bool shouldRepaint(CustomPainter oldDelegate) { return oldDelegate is! PaintSomeTest || oldDelegate.waveData != waveData || oldDelegate.from != from || oldDelegate.to != to; } } Int16List loadGraph() { final Int16List waveData = Int16List(350000); final Random r = Random(0x42); for (int i = 0; i < waveData.length; i++) { waveData[i] = r.nextInt(32768) - 16384; } return waveData; }
flutter/dev/benchmarks/macrobenchmarks/lib/src/very_long_picture_scrolling.dart/0
{ "file_path": "flutter/dev/benchmarks/macrobenchmarks/lib/src/very_long_picture_scrolling.dart", "repo_id": "flutter", "token_count": 3115 }
510
// Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:async'; import 'package:flutter/material.dart'; import 'recorder.dart'; /// Creates a [PageView] that uses a font style that can't be rendered /// using canvas (switching to DOM). /// /// Since the whole page uses a CustomPainter this is a good representation /// for apps that have pictures with large number of painting commands. class BenchPageViewScrollLineThrough extends WidgetRecorder { BenchPageViewScrollLineThrough() : super(name: benchmarkName); static const String benchmarkName = 'bench_page_view_scroll_line_through'; @override Widget createWidget() => const MaterialApp( title: 'PageView Scroll LineThrough Benchmark', home: _MyScrollContainer(), ); } class _MyScrollContainer extends StatefulWidget { const _MyScrollContainer(); @override State<_MyScrollContainer> createState() => _MyScrollContainerState(); } class _MyScrollContainerState extends State<_MyScrollContainer> { static const Duration stepDuration = Duration(milliseconds: 500); late PageController pageController; final _CustomPainter _painter = _CustomPainter('aa'); int pageNumber = 0; @override void initState() { super.initState(); pageController = PageController(); // Without the timer the animation doesn't begin. Timer.run(() async { while (pageNumber < 25) { await pageController.animateToPage(pageNumber % 5, duration: stepDuration, curve: Curves.easeInOut); pageNumber++; } }); } @override void dispose() { pageController.dispose(); _painter._textPainter.dispose(); super.dispose(); } @override Widget build(BuildContext context) { return PageView.builder( controller: pageController, itemBuilder: (BuildContext context, int position) { return CustomPaint( painter: _painter, size: const Size(300, 500), ); }); } } class _CustomPainter extends CustomPainter { _CustomPainter(this.text); final String text; final Paint _linePainter = Paint(); final TextPainter _textPainter = TextPainter(); static const double lineWidth = 0.5; @override void paint(Canvas canvas, Size size) { canvas.clipRect(Rect.fromLTWH(0, 0, size.width, size.height)); double xPosition, yPosition; final double width = size.width / 7; final double height = size.height / 6; xPosition = 0; const double viewPadding = 5; const double circlePadding = 4; yPosition = viewPadding; _textPainter.textDirection = TextDirection.ltr; _textPainter.textWidthBasis = TextWidthBasis.longestLine; _textPainter.textScaler = TextScaler.noScaling; const TextStyle textStyle = TextStyle(color: Colors.black87, fontSize: 13, fontFamily: 'Roboto'); _linePainter.isAntiAlias = true; for (int i = 0; i < 42; i++) { _linePainter.color = Colors.white; TextStyle temp = textStyle; if (i % 7 == 0) { temp = textStyle.copyWith(decoration: TextDecoration.lineThrough); } final TextSpan span = TextSpan( text: text, style: temp, ); _textPainter.text = span; _textPainter.layout(maxWidth: width); _linePainter.style = PaintingStyle.fill; canvas.drawRect( Rect.fromLTWH(xPosition, yPosition - viewPadding, width, height), _linePainter); _textPainter.paint( canvas, Offset(xPosition + (width / 2 - _textPainter.width / 2), yPosition + circlePadding)); xPosition += width; if (xPosition.round() >= size.width.round()) { xPosition = 0; yPosition += height; } } _drawVerticalAndHorizontalLines( canvas, size, yPosition, xPosition, height, width); } void _drawVerticalAndHorizontalLines(Canvas canvas, Size size, double yPosition, double xPosition, double height, double width) { yPosition = height; _linePainter.strokeWidth = lineWidth; _linePainter.color = Colors.grey; canvas.drawLine(const Offset(0, lineWidth), Offset(size.width, lineWidth), _linePainter); for (int i = 0; i < 6; i++) { canvas.drawLine( Offset(0, yPosition), Offset(size.width, yPosition), _linePainter); yPosition += height; } canvas.drawLine(Offset(0, size.height - lineWidth), Offset(size.width, size.height - lineWidth), _linePainter); xPosition = width; canvas.drawLine(const Offset(lineWidth, 0), Offset(lineWidth, size.height), _linePainter); for (int i = 0; i < 6; i++) { canvas.drawLine( Offset(xPosition, 0), Offset(xPosition, size.height), _linePainter); xPosition += width; } } @override bool shouldRepaint(CustomPainter oldDelegate) { return true; } }
flutter/dev/benchmarks/macrobenchmarks/lib/src/web/bench_pageview_scroll_linethrough.dart/0
{ "file_path": "flutter/dev/benchmarks/macrobenchmarks/lib/src/web/bench_pageview_scroll_linethrough.dart", "repo_id": "flutter", "token_count": 1853 }
511