/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at https://mozilla.org/MPL/2.0/. */
use std::default::Default;
use std::iter;
use crate::dom::activation::Activatable;
use crate::dom::attr::Attr;
use crate::dom::bindings::cell::{DomRefCell, Ref};
use crate::dom::bindings::codegen::Bindings::EventBinding::EventMethods;
use crate::dom::bindings::codegen::Bindings::ElementBinding::ElementMethods;
use crate::dom::bindings::codegen::Bindings::HTMLCollectionBinding::HTMLCollectionMethods;
use crate::dom::bindings::codegen::Bindings::HTMLOptionElementBinding::HTMLOptionElementMethods;
use crate::dom::bindings::codegen::Bindings::HTMLOptionsCollectionBinding::HTMLOptionsCollectionMethods;
use crate::dom::bindings::codegen::Bindings::HTMLSelectElementBinding::HTMLSelectElementMethods;
use crate::dom::bindings::codegen::Bindings::NodeBinding::NodeMethods;
use crate::dom::bindings::codegen::GenericBindings::CharacterDataBinding::CharacterData_Binding::CharacterDataMethods;
use crate::dom::bindings::codegen::GenericBindings::HTMLOptGroupElementBinding::HTMLOptGroupElement_Binding::HTMLOptGroupElementMethods;
use crate::dom::bindings::codegen::UnionTypes::{
HTMLElementOrLong, HTMLOptionElementOrHTMLOptGroupElement,
};
use crate::dom::bindings::error::ErrorResult;
use crate::dom::bindings::inheritance::Castable;
use crate::dom::bindings::refcounted::Trusted;
use crate::dom::bindings::root::{Dom, DomRoot, MutNullableDom};
use crate::dom::bindings::str::DOMString;
use crate::dom::characterdata::CharacterData;
use crate::dom::document::Document;
use crate::dom::document_embedder_controls::ControlElement;
use crate::dom::element::{AttributeMutation, CustomElementCreationMode, Element, ElementCreator};
use crate::dom::event::Event;
use crate::dom::event::{EventBubbles, EventCancelable, EventComposed};
use crate::dom::eventtarget::EventTarget;
use crate::dom::html::htmlcollection::{CollectionFilter, CollectionSource, HTMLCollection};
use crate::dom::html::htmlelement::HTMLElement;
use crate::dom::html::htmlfieldsetelement::HTMLFieldSetElement;
use crate::dom::html::htmlformelement::{FormControl, FormDatum, FormDatumValue, HTMLFormElement};
use crate::dom::html::htmloptgroupelement::HTMLOptGroupElement;
use crate::dom::html::htmloptionelement::HTMLOptionElement;
use crate::dom::html::htmloptionscollection::HTMLOptionsCollection;
use crate::dom::node::{BindContext, ChildrenMutation, Node, NodeTraits, ShadowIncluding, UnbindContext};
use crate::dom::nodelist::NodeList;
use crate::dom::text::Text;
use crate::dom::types::FocusEvent;
use crate::dom::validation::{is_barred_by_datalist_ancestor, Validatable};
use crate::dom::validitystate::{ValidationFlags, ValidityState};
use crate::dom::virtualmethods::VirtualMethods;
use crate::script_runtime::CanGc;
use dom_struct::dom_struct;
use embedder_traits::{EmbedderControlRequest, SelectElementRequest};
use embedder_traits::{SelectElementOption, SelectElementOptionOrOptgroup};
use html5ever::{local_name, ns, LocalName, Prefix, QualName};
use js::context::JSContext;
use js::rust::HandleObject;
use style::attr::AttrValue;
use stylo_dom::ElementState;
const DEFAULT_SELECT_SIZE: u32 = 0;
const SELECT_BOX_STYLE: &str = "
display: flex;
align-items: center;
height: 100%;
gap: 4px;
";
const TEXT_CONTAINER_STYLE: &str = "flex: 1;";
const CHEVRON_CONTAINER_STYLE: &str = "
background-image: url('data:image/svg+xml, ');
background-size: 100%;
background-repeat: no-repeat;
background-position: center;
vertical-align: middle;
line-height: 1;
display: inline-block;
width: 0.75em;
height: 0.75em;
";
#[derive(JSTraceable, MallocSizeOf)]
struct OptionsFilter;
impl CollectionFilter for OptionsFilter {
fn filter<'a>(&self, elem: &'a Element, root: &'a Node) -> bool {
if !elem.is::() {
return false;
}
let node = elem.upcast::();
if root.is_parent_of(node) {
return true;
}
match node.GetParentNode() {
Some(optgroup) => optgroup.is::() && root.is_parent_of(&optgroup),
None => false,
}
}
}
/// Provides selected options directly via [`HTMLSelectElement::list_of_options`],
/// avoiding a full subtree traversal.
#[derive(JSTraceable, MallocSizeOf)]
struct SelectedOptionsSource;
impl CollectionSource for SelectedOptionsSource {
fn iter<'a>(&'a self, root: &'a Node) -> Box> + 'a> {
let select = root
.downcast::()
.expect("SelectedOptionsSource must be rooted on an HTMLSelectElement");
Box::new(
select
.list_of_options()
.filter(|option| option.Selected())
.map(DomRoot::upcast::),
)
}
}
#[dom_struct]
pub(crate) struct HTMLSelectElement {
htmlelement: HTMLElement,
options: MutNullableDom,
selected_options: MutNullableDom,
form_owner: MutNullableDom,
labels_node_list: MutNullableDom,
validity_state: MutNullableDom,
shadow_tree: DomRefCell>,
}
/// Holds handles to all elements in the UA shadow tree
#[derive(Clone, JSTraceable, MallocSizeOf)]
#[cfg_attr(crown, crown::unrooted_must_root_lint::must_root)]
struct ShadowTree {
selected_option: Dom,
}
impl HTMLSelectElement {
fn new_inherited(
local_name: LocalName,
prefix: Option,
document: &Document,
) -> HTMLSelectElement {
HTMLSelectElement {
htmlelement: HTMLElement::new_inherited_with_state(
ElementState::ENABLED | ElementState::VALID,
local_name,
prefix,
document,
),
options: Default::default(),
selected_options: Default::default(),
form_owner: Default::default(),
labels_node_list: Default::default(),
validity_state: Default::default(),
shadow_tree: Default::default(),
}
}
pub(crate) fn new(
cx: &mut js::context::JSContext,
local_name: LocalName,
prefix: Option,
document: &Document,
proto: Option,
) -> DomRoot {
let n = Node::reflect_node_with_proto(
cx,
Box::new(HTMLSelectElement::new_inherited(
local_name, prefix, document,
)),
document,
proto,
);
n.upcast::().set_weird_parser_insertion_mode();
n
}
///
pub(crate) fn list_of_options(
&self,
) -> impl Iterator- > + use<'_> {
self.upcast::
().children().flat_map(|node| {
if node.is::() {
let node = DomRoot::downcast::(node).unwrap();
Choice3::First(iter::once(node))
} else if node.is::() {
Choice3::Second(node.children().filter_map(DomRoot::downcast))
} else {
Choice3::Third(iter::empty())
}
})
}
///
fn get_placeholder_label_option(&self) -> Option> {
if self.Required() && !self.Multiple() && self.display_size() == 1 {
self.list_of_options().next().filter(|node| {
let parent = node.upcast::().GetParentNode();
node.Value().is_empty() && parent.as_deref() == Some(self.upcast())
})
} else {
None
}
}
// https://html.spec.whatwg.org/multipage/#the-select-element:concept-form-reset-control
pub(crate) fn reset(&self) {
for opt in self.list_of_options() {
opt.set_selectedness(opt.DefaultSelected());
opt.set_dirtiness(false);
}
self.ask_for_reset();
}
// https://html.spec.whatwg.org/multipage/#ask-for-a-reset
pub(crate) fn ask_for_reset(&self) {
if self.Multiple() {
return;
}
let mut first_enabled: Option> = None;
let mut last_selected: Option> = None;
for opt in self.list_of_options() {
if opt.Selected() {
opt.set_selectedness(false);
last_selected = Some(DomRoot::from_ref(&opt));
}
let element = opt.upcast::();
if first_enabled.is_none() && !element.disabled_state() {
first_enabled = Some(DomRoot::from_ref(&opt));
}
}
if let Some(last_selected) = last_selected {
last_selected.set_selectedness(true);
} else if self.display_size() == 1 {
if let Some(first_enabled) = first_enabled {
first_enabled.set_selectedness(true);
}
}
}
pub(crate) fn push_form_data(&self, data_set: &mut Vec) {
if self.Name().is_empty() {
return;
}
for opt in self.list_of_options() {
let element = opt.upcast::();
if opt.Selected() && element.enabled_state() {
data_set.push(FormDatum {
ty: self.Type(),
name: self.Name(),
value: FormDatumValue::String(opt.Value()),
});
}
}
}
// https://html.spec.whatwg.org/multipage/#concept-select-pick
pub(crate) fn pick_option(&self, picked: &HTMLOptionElement) {
if !self.Multiple() {
let picked = picked.upcast();
for opt in self.list_of_options() {
if opt.upcast::() != picked {
opt.set_selectedness(false);
}
}
}
}
///
fn display_size(&self) -> u32 {
if self.Size() == 0 {
if self.Multiple() { 4 } else { 1 }
} else {
self.Size()
}
}
fn create_shadow_tree(&self, cx: &mut JSContext) {
let document = self.owner_document();
let root = self.upcast::().attach_ua_shadow_root(cx, true);
let select_box = Element::create(
cx,
QualName::new(None, ns!(html), local_name!("div")),
None,
&document,
ElementCreator::ScriptCreated,
CustomElementCreationMode::Asynchronous,
None,
);
select_box.set_string_attribute(
&local_name!("style"),
SELECT_BOX_STYLE.into(),
CanGc::from_cx(cx),
);
let text_container = Element::create(
cx,
QualName::new(None, ns!(html), local_name!("div")),
None,
&document,
ElementCreator::ScriptCreated,
CustomElementCreationMode::Asynchronous,
None,
);
text_container.set_string_attribute(
&local_name!("style"),
TEXT_CONTAINER_STYLE.into(),
CanGc::from_cx(cx),
);
select_box
.upcast::()
.AppendChild(cx, text_container.upcast::())
.unwrap();
let text = Text::new(cx, DOMString::new(), &document);
let _ = self.shadow_tree.borrow_mut().insert(ShadowTree {
selected_option: text.as_traced(),
});
text_container
.upcast::()
.AppendChild(cx, text.upcast::())
.unwrap();
let chevron_container = Element::create(
cx,
QualName::new(None, ns!(html), local_name!("div")),
None,
&document,
ElementCreator::ScriptCreated,
CustomElementCreationMode::Asynchronous,
None,
);
chevron_container.set_string_attribute(
&local_name!("style"),
CHEVRON_CONTAINER_STYLE.into(),
CanGc::from_cx(cx),
);
select_box
.upcast::()
.AppendChild(cx, chevron_container.upcast::())
.unwrap();
root.upcast::()
.AppendChild(cx, select_box.upcast::())
.unwrap();
}
fn shadow_tree(&self, cx: &mut JSContext) -> Ref<'_, ShadowTree> {
if !self.upcast::().is_shadow_host() {
self.create_shadow_tree(cx);
}
Ref::filter_map(self.shadow_tree.borrow(), Option::as_ref)
.ok()
.expect("UA shadow tree was not created")
}
pub(crate) fn update_shadow_tree(&self, cx: &mut JSContext) {
let shadow_tree = self.shadow_tree(cx);
let selected_options = self.selected_options();
let selected_options_count = selected_options.len();
let displayed_text = if selected_options_count == 1 {
let first_selected_option = self
.selected_option()
.or_else(|| self.list_of_options().next());
let first_selected_option_text = first_selected_option
.map(|option| option.displayed_label())
.unwrap_or_default();
// Replace newlines with whitespace, then collapse and trim whitespace
itertools::join(first_selected_option_text.str().split_whitespace(), " ")
} else {
format!("{selected_options_count} selected")
};
shadow_tree
.selected_option
.upcast::()
.SetData(displayed_text.trim().into());
}
pub(crate) fn selected_option(&self) -> Option> {
self.list_of_options()
.find(|opt_elem| opt_elem.Selected())
.or_else(|| self.list_of_options().next())
}
pub(crate) fn selected_options(&self) -> Vec> {
self.list_of_options()
.filter(|opt_elem| opt_elem.Selected())
.collect()
}
pub(crate) fn show_menu(&self) {
// Collect list of optgroups and options
let mut index = 0;
let mut embedder_option_from_option = |option: &HTMLOptionElement| {
let embedder_option = SelectElementOption {
id: index,
label: option.displayed_label().into(),
is_disabled: option.Disabled(),
};
index += 1;
embedder_option
};
let options = self
.upcast::()
.children()
.flat_map(|child| {
if let Some(option) = child.downcast::() {
return Some(embedder_option_from_option(option).into());
}
if let Some(optgroup) = child.downcast::() {
let options = optgroup
.upcast::()
.children()
.flat_map(DomRoot::downcast::)
.map(|option| embedder_option_from_option(&option))
.collect();
let label = optgroup.Label().into();
return Some(SelectElementOptionOrOptgroup::Optgroup { label, options });
}
None
})
.collect();
let selected_options = self
.list_of_options()
.enumerate()
.filter(|(_, option)| option.Selected())
.map(|(index, _)| index)
.collect();
self.owner_document()
.embedder_controls()
.show_embedder_control(
ControlElement::Select(DomRoot::from_ref(self)),
EmbedderControlRequest::SelectElement(SelectElementRequest {
options,
selected_options,
allow_select_multiple: self.Multiple(),
}),
None,
);
self.upcast::().set_open_state(true);
}
pub(crate) fn handle_embedder_response(&self, cx: &mut JSContext, selected_values: Vec) {
self.upcast::().set_open_state(false);
let selected_values = if self.Multiple() {
selected_values
} else {
selected_values.into_iter().take(1).collect()
};
let mut selection_did_change = false;
for (index, option) in self.list_of_options().enumerate() {
let should_be_selected = selected_values.contains(&index);
let option_selected_did_change = option.Selected() != should_be_selected;
if option_selected_did_change {
selection_did_change = true;
}
option.set_selectedness(should_be_selected);
if option_selected_did_change {
option.set_dirtiness(true);
}
}
if selection_did_change {
self.update_shadow_tree(cx);
self.send_update_notifications();
}
}
fn multiple_attribute_mutated(&self, cx: &mut JSContext, mutation: AttributeMutation) {
if mutation.is_removal() {
let mut first_enabled: Option> = None;
let mut first_selected: Option> = None;
for option in self.list_of_options() {
if first_selected.is_none() && option.Selected() {
first_selected = Some(DomRoot::from_ref(&option));
}
option.set_selectedness(false);
let element = option.upcast::();
if first_enabled.is_none() && !element.disabled_state() {
first_enabled = Some(DomRoot::from_ref(&option));
}
}
if let Some(first_selected) = first_selected {
first_selected.set_selectedness(true);
} else if self.display_size() == 1 {
if let Some(first_enabled) = first_enabled {
first_enabled.set_selectedness(true);
}
}
self.update_shadow_tree(cx);
}
}
///
fn send_update_notifications(&self) {
// > When the user agent is to send select update notifications, queue an element task on the
// > user interaction task source given the select element to run these steps:
let this = Trusted::new(self);
self.owner_global()
.task_manager()
.user_interaction_task_source()
.queue(task!(send_select_update_notification: move || {
let this = this.root();
// TODO: Step 1. Set the select element's user validity to true.
// Step 2. Fire an event named input at the select element, with the bubbles and composed
// attributes initialized to true.
this.upcast::()
.fire_event_with_params(
atom!("input"),
EventBubbles::Bubbles,
EventCancelable::NotCancelable,
EventComposed::Composed,
CanGc::deprecated_note(),
);
// Step 3. Fire an event named change at the select element, with the bubbles attribute initialized
// to true.
this.upcast::()
.fire_bubbling_event(atom!("change"), CanGc::deprecated_note());
}));
}
fn may_have_embedder_control(&self) -> bool {
let el = self.upcast::();
!el.disabled_state()
}
///
pub(crate) fn get_enabled_selectedcontent(&self) -> Option> {
// Step 1. If select has the multiple attribute, then return null.
if self.Multiple() {
return None;
}
// Step 2. Let selectedcontent be the first selectedcontent element descendant
// of select in tree order if any such element exists; otherwise return null.
// TODO: Step 3. If selectedcontent's disabled is true, then return null.
// NOTE: We don't actually implement selectedcontent yet
// Step 4. Return selectedcontent.
self.upcast::()
.traverse_preorder(ShadowIncluding::No)
.skip(1)
.filter_map(DomRoot::downcast::)
.find(|element| element.local_name() == &local_name!("selectedcontent"))
}
}
impl HTMLSelectElementMethods for HTMLSelectElement {
///
fn Add(
&self,
cx: &mut JSContext,
element: HTMLOptionElementOrHTMLOptGroupElement,
before: Option,
) -> ErrorResult {
self.Options().Add(cx, element, before)
}
// https://html.spec.whatwg.org/multipage/#dom-fe-disabled
make_bool_getter!(Disabled, "disabled");
// https://html.spec.whatwg.org/multipage/#dom-fe-disabled
make_bool_setter!(SetDisabled, "disabled");
///
fn GetForm(&self) -> Option> {
self.form_owner()
}
// https://html.spec.whatwg.org/multipage/#dom-select-multiple
make_bool_getter!(Multiple, "multiple");
// https://html.spec.whatwg.org/multipage/#dom-select-multiple
make_bool_setter!(SetMultiple, "multiple");
// https://html.spec.whatwg.org/multipage/#dom-fe-name
make_getter!(Name, "name");
// https://html.spec.whatwg.org/multipage/#dom-fe-name
make_atomic_setter!(SetName, "name");
// https://html.spec.whatwg.org/multipage/#dom-select-required
make_bool_getter!(Required, "required");
// https://html.spec.whatwg.org/multipage/#dom-select-required
make_bool_setter!(SetRequired, "required");
// https://html.spec.whatwg.org/multipage/#dom-select-size
make_uint_getter!(Size, "size", DEFAULT_SELECT_SIZE);
// https://html.spec.whatwg.org/multipage/#dom-select-size
make_uint_setter!(SetSize, "size", DEFAULT_SELECT_SIZE);
///
fn Type(&self) -> DOMString {
DOMString::from(if self.Multiple() {
"select-multiple"
} else {
"select-one"
})
}
// https://html.spec.whatwg.org/multipage/#dom-lfe-labels
make_labels_getter!(Labels, labels_node_list);
///
fn Options(&self) -> DomRoot {
self.options.or_init(|| {
let window = self.owner_window();
HTMLOptionsCollection::new(
&window,
self,
Box::new(OptionsFilter),
CanGc::deprecated_note(),
)
})
}
///
fn SelectedOptions(&self) -> DomRoot {
self.selected_options.or_init(|| {
let window = self.owner_window();
HTMLCollection::new_with_source(
&window,
self.upcast(),
Box::new(SelectedOptionsSource),
CanGc::deprecated_note(),
)
})
}
///
fn Length(&self) -> u32 {
self.Options().Length()
}
///
fn SetLength(&self, cx: &mut JSContext, length: u32) {
self.Options().SetLength(cx, length)
}
///
fn Item(&self, index: u32) -> Option> {
self.Options().upcast().Item(index)
}
///
fn IndexedGetter(&self, index: u32) -> Option> {
self.Options().IndexedGetter(index)
}
///
fn IndexedSetter(
&self,
cx: &mut JSContext,
index: u32,
value: Option<&HTMLOptionElement>,
) -> ErrorResult {
self.Options().IndexedSetter(cx, index, value)
}
///
fn NamedItem(&self, name: DOMString) -> Option> {
self.Options()
.NamedGetter(name)
.and_then(DomRoot::downcast::)
}
///
fn Remove_(&self, cx: &mut JSContext, index: i32) {
self.Options().Remove(cx, index)
}
///
fn Remove(&self, cx: &mut JSContext) {
self.upcast::().Remove(cx)
}
///
fn Value(&self) -> DOMString {
self.list_of_options()
.find(|opt_elem| opt_elem.Selected())
.map(|opt_elem| opt_elem.Value())
.unwrap_or_default()
}
///
fn SetValue(&self, value: DOMString, can_gc: CanGc) {
let mut opt_iter = self.list_of_options();
// Reset until we find an with a matching value
for opt in opt_iter.by_ref() {
if opt.Value() == value {
opt.set_selectedness(true);
opt.set_dirtiness(true);
break;
}
opt.set_selectedness(false);
}
// Reset remaining elements
for opt in opt_iter {
opt.set_selectedness(false);
}
self.validity_state(can_gc)
.perform_validation_and_update(ValidationFlags::VALUE_MISSING, can_gc);
}
///
fn SelectedIndex(&self) -> i32 {
self.list_of_options()
.enumerate()
.filter(|(_, opt_elem)| opt_elem.Selected())
.map(|(i, _)| i as i32)
.next()
.unwrap_or(-1)
}
///
fn SetSelectedIndex(&self, cx: &mut JSContext, index: i32) {
let mut selection_did_change = false;
let mut opt_iter = self.list_of_options();
for opt in opt_iter.by_ref().take(index as usize) {
selection_did_change |= opt.Selected();
opt.set_selectedness(false);
}
if let Some(selected_option) = opt_iter.next() {
selection_did_change |= !selected_option.Selected();
selected_option.set_selectedness(true);
selected_option.set_dirtiness(true);
// Reset remaining elements
for opt in opt_iter {
selection_did_change |= opt.Selected();
opt.set_selectedness(false);
}
}
if selection_did_change {
self.update_shadow_tree(cx);
}
}
///
fn WillValidate(&self) -> bool {
self.is_instance_validatable()
}
///
fn Validity(&self, can_gc: CanGc) -> DomRoot {
self.validity_state(can_gc)
}
///
fn CheckValidity(&self, cx: &mut JSContext) -> bool {
self.check_validity(cx)
}
///
fn ReportValidity(&self, cx: &mut JSContext) -> bool {
self.report_validity(cx)
}
///
fn ValidationMessage(&self) -> DOMString {
self.validation_message()
}
///
fn SetCustomValidity(&self, error: DOMString, can_gc: CanGc) {
self.validity_state(can_gc).set_custom_error_message(error);
}
}
impl VirtualMethods for HTMLSelectElement {
fn super_type(&self) -> Option<&dyn VirtualMethods> {
Some(self.upcast::() as &dyn VirtualMethods)
}
fn attribute_mutated(
&self,
cx: &mut js::context::JSContext,
attr: &Attr,
mutation: AttributeMutation,
) {
let could_have_had_embedder_control = self.may_have_embedder_control();
self.super_type()
.unwrap()
.attribute_mutated(cx, attr, mutation);
match *attr.local_name() {
local_name!("multiple") => {
self.multiple_attribute_mutated(cx, mutation);
},
local_name!("required") => {
self.validity_state(CanGc::from_cx(cx))
.perform_validation_and_update(
ValidationFlags::VALUE_MISSING,
CanGc::from_cx(cx),
);
},
local_name!("disabled") => {
let el = self.upcast::();
match mutation {
AttributeMutation::Set(..) => {
el.set_disabled_state(true);
el.set_enabled_state(false);
},
AttributeMutation::Removed => {
el.set_disabled_state(false);
el.set_enabled_state(true);
el.check_ancestors_disabled_state_for_form_control();
},
}
self.validity_state(CanGc::from_cx(cx))
.perform_validation_and_update(
ValidationFlags::VALUE_MISSING,
CanGc::from_cx(cx),
);
},
local_name!("form") => {
self.form_attribute_mutated(mutation, CanGc::from_cx(cx));
},
_ => {},
}
if could_have_had_embedder_control && !self.may_have_embedder_control() {
self.owner_document()
.embedder_controls()
.hide_embedder_control(self.upcast());
}
}
fn bind_to_tree(&self, cx: &mut JSContext, context: &BindContext) {
if let Some(s) = self.super_type() {
s.bind_to_tree(cx, context);
}
self.upcast::()
.check_ancestors_disabled_state_for_form_control();
}
fn unbind_from_tree(&self, context: &UnbindContext, can_gc: CanGc) {
self.super_type().unwrap().unbind_from_tree(context, can_gc);
let node = self.upcast::();
let el = self.upcast::();
if node
.ancestors()
.any(|ancestor| ancestor.is::())
{
el.check_ancestors_disabled_state_for_form_control();
} else {
el.check_disabled_attribute();
}
self.owner_document()
.embedder_controls()
.hide_embedder_control(self.upcast());
}
fn children_changed(&self, cx: &mut JSContext, mutation: &ChildrenMutation) {
if let Some(s) = self.super_type() {
s.children_changed(cx, mutation);
}
self.update_shadow_tree(cx);
}
fn parse_plain_attribute(&self, local_name: &LocalName, value: DOMString) -> AttrValue {
match *local_name {
local_name!("size") => AttrValue::from_u32(value.into(), DEFAULT_SELECT_SIZE),
_ => self
.super_type()
.unwrap()
.parse_plain_attribute(local_name, value),
}
}
fn handle_event(&self, event: &Event, can_gc: CanGc) {
self.super_type().unwrap().handle_event(event, can_gc);
if let Some(event) = event.downcast::() {
if *event.upcast::().type_() != *"blur" {
self.owner_document()
.embedder_controls()
.hide_embedder_control(self.upcast());
}
}
}
}
impl FormControl for HTMLSelectElement {
fn form_owner(&self) -> Option> {
self.form_owner.get()
}
fn set_form_owner(&self, form: Option<&HTMLFormElement>) {
self.form_owner.set(form);
}
fn to_element(&self) -> &Element {
self.upcast::()
}
}
impl Validatable for HTMLSelectElement {
fn as_element(&self) -> &Element {
self.upcast()
}
fn validity_state(&self, can_gc: CanGc) -> DomRoot {
self.validity_state
.or_init(|| ValidityState::new(&self.owner_window(), self.upcast(), can_gc))
}
fn is_instance_validatable(&self) -> bool {
// https://html.spec.whatwg.org/multipage/#enabling-and-disabling-form-controls%3A-the-disabled-attribute%3Abarred-from-constraint-validation
// https://html.spec.whatwg.org/multipage/#the-datalist-element%3Abarred-from-constraint-validation
!self.upcast::().disabled_state() && !is_barred_by_datalist_ancestor(self.upcast())
}
fn perform_validation(
&self,
validate_flags: ValidationFlags,
_can_gc: CanGc,
) -> ValidationFlags {
let mut failed_flags = ValidationFlags::empty();
// https://html.spec.whatwg.org/multipage/#suffering-from-being-missing
// https://html.spec.whatwg.org/multipage/#the-select-element%3Asuffering-from-being-missing
if validate_flags.contains(ValidationFlags::VALUE_MISSING) && self.Required() {
let placeholder = self.get_placeholder_label_option();
let is_value_missing = !self
.list_of_options()
.any(|e| e.Selected() && placeholder != Some(e));
failed_flags.set(ValidationFlags::VALUE_MISSING, is_value_missing);
}
failed_flags
}
}
impl Activatable for HTMLSelectElement {
fn as_element(&self) -> &Element {
self.upcast()
}
fn is_instance_activatable(&self) -> bool {
!self.upcast::().disabled_state()
}
fn activation_behavior(&self, event: &Event, _target: &EventTarget, _can_gc: CanGc) {
if !event.IsTrusted() {
return;
}
self.show_menu();
}
}
enum Choice3 {
First(I),
Second(J),
Third(K),
}
impl Iterator for Choice3
where
I: Iterator- ,
J: Iterator
- ,
K: Iterator
- ,
{
type Item = T;
fn next(&mut self) -> Option
{
match *self {
Choice3::First(ref mut i) => i.next(),
Choice3::Second(ref mut j) => j.next(),
Choice3::Third(ref mut k) => k.next(),
}
}
fn size_hint(&self) -> (usize, Option) {
match *self {
Choice3::First(ref i) => i.size_hint(),
Choice3::Second(ref j) => j.size_hint(),
Choice3::Third(ref k) => k.size_hint(),
}
}
}