Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

desktop: Implement basic IME support #19666

Merged
merged 5 commits into from
Mar 20, 2025
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 12 additions & 0 deletions core/src/context.rs
Original file line number Diff line number Diff line change
@@ -21,6 +21,7 @@ use crate::backend::{
};
use crate::context_menu::ContextMenuState;
use crate::display_object::{EditText, MovieClip, SoundTransform, Stage};
use crate::events::PlayerNotification;
use crate::external::ExternalInterface;
use crate::focus_tracker::FocusTracker;
use crate::frame_lifecycle::FramePhase;
@@ -41,6 +42,7 @@ use crate::system_properties::SystemProperties;
use crate::tag_utils::{SwfMovie, SwfSlice};
use crate::timer::Timers;
use crate::vminterface::Instantiator;
use async_channel::Sender;
use core::fmt;
use gc_arena::{Collect, Mutation};
use rand::rngs::SmallRng;
@@ -226,6 +228,8 @@ pub struct UpdateContext<'gc> {
/// Currently, this is just used for handling `Loader.loadBytes`
#[allow(clippy::type_complexity)]
pub post_frame_callbacks: &'gc mut Vec<PostFrameCallback<'gc>>,

pub notification_sender: Option<&'gc Sender<PlayerNotification>>,
}

impl<'gc> HasStringContext<'gc> for UpdateContext<'gc> {
@@ -445,6 +449,14 @@ impl<'gc> UpdateContext<'gc> {

self.set_root_movie(movie);
}

pub fn send_notification(&self, notification: PlayerNotification) {
if let Some(notification_sender) = self.notification_sender {
if let Err(e) = notification_sender.try_send(notification) {
tracing::error!("Failed to send player notification: {e}");
}
}
}
}

impl<'gc> UpdateContext<'gc> {
39 changes: 38 additions & 1 deletion core/src/display_object/edit_text.rs
Original file line number Diff line number Diff line change
@@ -19,7 +19,10 @@ use crate::display_object::interactive::{
InteractiveObject, InteractiveObjectBase, TInteractiveObject,
};
use crate::display_object::{DisplayObjectBase, DisplayObjectPtr};
use crate::events::{ClipEvent, ClipEventResult, TextControlCode};
use crate::events::{
ClipEvent, ClipEventResult, ImeCursorArea, ImeEvent, ImeNotification, ImePurpose,
PlayerNotification, TextControlCode,
};
use crate::font::{FontType, Glyph, TextRenderSettings};
use crate::html;
use crate::html::StyleSheet;
@@ -1848,6 +1851,15 @@ impl<'gc> EditText<'gc> {
}
}

pub fn ime(self, event: ImeEvent, context: &mut UpdateContext<'gc>) {
match event {
ImeEvent::Preedit(_, _) => {
// TODO Add support for IME preedit
}
ImeEvent::Commit(text) => self.text_input(text, context),
};
}

/// Find the new position in the text for the given control code.
///
/// * For selection codes it will represent the "to" part of the selection.
@@ -2880,6 +2892,17 @@ impl<'gc> EditText<'gc> {
context.commands.draw_line_rect(border_color, text_box);
}
}

fn ime_cursor_area(self) -> ImeCursorArea {
// TODO We should be smarter here and return an area closer to the cursor.
let bounds = self.world_bounds();
ImeCursorArea {
x: bounds.x_min.to_pixels(),
y: bounds.y_min.to_pixels(),
width: bounds.width().to_pixels(),
height: bounds.height().to_pixels(),
}
}
}

impl<'gc> TInteractiveObject<'gc> for EditText<'gc> {
@@ -3050,6 +3073,20 @@ impl<'gc> TInteractiveObject<'gc> for EditText<'gc> {
if !focused && is_avm1 {
self.set_selection(None, context.gc());
}

// Notify about IME
context.send_notification(PlayerNotification::ImeNotification(if focused {
ImeNotification::ImeReady {
purpose: if self.is_password() {
ImePurpose::Password
} else {
ImePurpose::Standard
},
cursor_area: self.ime_cursor_area(),
}
} else {
ImeNotification::ImeNotReady
}));
}

fn is_focusable_by_mouse(&self, _context: &mut UpdateContext<'gc>) -> bool {
50 changes: 50 additions & 0 deletions core/src/events.rs
Original file line number Diff line number Diff line change
@@ -44,6 +44,7 @@ pub enum PlayerEvent {
TextControl {
code: TextControlCode,
},
Ime(ImeEvent),
FocusGained,
FocusLost,
}
@@ -467,6 +468,25 @@ impl TextControlCode {
}
}

/// Input method allows inputting non-Latin characters on a Latin keyboard.
///
/// When IME is enabled, Ruffle will accept [`ImeEvent`]s instead of key events.
/// It allows dynamically changing the inputted text and then committing it at
/// the end.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum ImeEvent {
/// A new composing text should be set.
///
/// The second parameter is the position of the cursor. When it's `None`,
/// the cursor should be hidden.
///
/// An empty text indicates that preedit was cleared.
Preedit(String, Option<(usize, usize)>),

/// Composition is finished, and the text should be inserted.
Commit(String),
}

/// Flash virtual keycode.
///
/// See <https://docs.ruffle.rs/en_US/FlashPlatform/reference/actionscript/3/flash/ui/Keyboard.html#summaryTableConstant>
@@ -1130,3 +1150,33 @@ pub enum KeyLocation {
Right = 2,
Numpad = 3,
}

#[derive(Debug, Clone)]
pub enum PlayerNotification {
ImeNotification(ImeNotification),
}

#[derive(Debug, Clone)]
pub enum ImeNotification {
ImeReady {
purpose: ImePurpose,
cursor_area: ImeCursorArea,
},
ImePurposeUpdated(ImePurpose),
ImeCursorAreaUpdated(ImeCursorArea),
ImeNotReady,
}

#[derive(Debug, Clone)]
pub enum ImePurpose {
Standard,
Password,
}

#[derive(Debug, Clone)]
pub struct ImeCursorArea {
pub x: f64,
pub y: f64,
pub width: f64,
pub height: f64,
}
6 changes: 4 additions & 2 deletions core/src/input.rs
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
use crate::events::{
GamepadButton, KeyCode, KeyDescriptor, KeyLocation, LogicalKey, MouseButton, MouseWheelDelta,
NamedKey, PhysicalKey, PlayerEvent, TextControlCode,
GamepadButton, ImeEvent, KeyCode, KeyDescriptor, KeyLocation, LogicalKey, MouseButton,
MouseWheelDelta, NamedKey, PhysicalKey, PlayerEvent, TextControlCode,
};
use chrono::{DateTime, TimeDelta, Utc};
use std::collections::{HashMap, HashSet};
@@ -53,6 +53,7 @@ pub enum InputEvent {
TextControl {
code: TextControlCode,
},
Ime(ImeEvent),
}

struct ClickEventData {
@@ -190,6 +191,7 @@ impl InputManager {

PlayerEvent::TextInput { codepoint } => InputEvent::TextInput { codepoint },
PlayerEvent::TextControl { code } => InputEvent::TextControl { code },
PlayerEvent::Ime(ime) => InputEvent::Ime(ime),

// The following are not input events.
PlayerEvent::FocusGained | PlayerEvent::FocusLost => return None,
23 changes: 23 additions & 0 deletions core/src/player.rs
Original file line number Diff line number Diff line change
@@ -26,6 +26,7 @@ use crate::display_object::{
TInteractiveObject, WindowMode,
};
use crate::events::GamepadButton;
use crate::events::PlayerNotification;
use crate::events::{ButtonKeyCode, ClipEvent, ClipEventResult, KeyCode, MouseButton, PlayerEvent};
use crate::external::{ExternalInterface, ExternalInterfaceProvider, NullFsCommandProvider};
use crate::external::{FsCommandProvider, Value as ExternalValue};
@@ -49,6 +50,7 @@ use crate::tag_utils::SwfMovie;
use crate::timer::Timers;
use crate::vminterface::Instantiator;
use crate::DefaultFont;
use async_channel::Sender;
use gc_arena::lock::GcRefLock;
use gc_arena::{Collect, DynamicRootSet, Mutation, Rootable};
use rand::{rngs::SmallRng, SeedableRng};
@@ -382,6 +384,9 @@ pub struct Player {
/// Any compatibility rules to apply for this movie.
compatibility_rules: CompatibilityRules,

/// Sends notifications back from the core player to the frontend.
notification_sender: Option<Sender<PlayerNotification>>,

/// Debug UI windows
#[cfg(feature = "egui")]
debug_ui: Rc<RefCell<crate::debug_ui::DebugUi>>,
@@ -1011,6 +1016,7 @@ impl Player {
| PlayerEvent::MouseWheel { .. }
| PlayerEvent::GamepadButtonDown { .. }
| PlayerEvent::GamepadButtonUp { .. }
| PlayerEvent::Ime { .. }
| PlayerEvent::TextInput { .. }
| PlayerEvent::TextControl { .. } => self.handle_input_event(event),
}
@@ -1311,6 +1317,9 @@ impl Player {
if let InputEvent::TextControl { code } = &event {
text.text_control_input(*code, context);
}
if let InputEvent::Ime(ime) = &event {
text.ime(ime.clone(), context);
}
}
}

@@ -2243,6 +2252,7 @@ impl Player {
local_connections,
dynamic_root,
post_frame_callbacks,
notification_sender: this.notification_sender.as_ref(),
};

let prev_frame_rate = *update_context.frame_rate;
@@ -2449,6 +2459,9 @@ pub struct PlayerBuilder {
ui: Option<Ui>,
video: Option<Video>,

// Notifications
notification_sender: Option<Sender<PlayerNotification>>,

// Misc. player configuration
autoplay: bool,
align: StageAlign,
@@ -2496,6 +2509,8 @@ impl PlayerBuilder {
ui: None,
video: None,

notification_sender: None,

autoplay: false,
align: StageAlign::default(),
forced_align: false,
@@ -2600,6 +2615,13 @@ impl PlayerBuilder {
self
}

/// Sets the channel for player notifications.
#[inline]
pub fn with_notification_sender(mut self, sender: Sender<PlayerNotification>) -> Self {
self.notification_sender = Some(sender);
self
}

/// Sets the stage scale mode and optionally prevents movies from changing it.
#[inline]
pub fn with_align(mut self, align: StageAlign, force: bool) -> Self {
@@ -2885,6 +2907,7 @@ impl PlayerBuilder {
spoofed_url: self.spoofed_url.clone(),
compatibility_rules: self.compatibility_rules.clone(),
stub_tracker: StubCollection::new(),
notification_sender: self.notification_sender,
#[cfg(feature = "egui")]
debug_ui: Default::default(),

1 change: 1 addition & 0 deletions desktop/Cargo.toml
Original file line number Diff line number Diff line change
@@ -49,6 +49,7 @@ tokio = { workspace = true, features = ["rt-multi-thread", "macros", "fs"] }
tracing-tracy = { version = "0.11.3", optional = true, features = ["demangle"] }
rand = "0.8.5"
thiserror.workspace = true
async-channel.workspace = true

[target.'cfg(target_os = "linux")'.dependencies]
ashpd = "0.10.2"
8 changes: 8 additions & 0 deletions desktop/assets/texts/en-US/preferences_dialog.ftl
Original file line number Diff line number Diff line change
@@ -41,3 +41,11 @@ gamemode-tooltip =
Ruffle requests GameMode only when a movie is being played.
gamemode-default = Default
gamemode-default-tooltip = GameMode will be enabled only when power preference is set to high.
# See for context https://wiki.archlinux.org/title/Input_method
ime-enabled = Input Method
ime-enabled-experimental = (experimental)
ime-enabled-tooltip = An input method allows inputting characters that are not available on the kaybord, for instance Chinese, Japanese, or Korean characters.
ime-enabled-default = Default
ime-enabled-on = On
ime-enabled-off = Off
42 changes: 41 additions & 1 deletion desktop/src/app.rs
Original file line number Diff line number Diff line change
@@ -8,6 +8,7 @@ use crate::util::{
};
use anyhow::Error;
use gilrs::{Event, EventType, Gilrs};
use ruffle_core::events::{ImeEvent, ImeNotification, PlayerNotification};
use ruffle_core::swf::HeaderExt;
use ruffle_core::PlayerEvent;
use ruffle_render::backend::ViewportDimensions;
@@ -16,7 +17,7 @@ use std::time::Instant;
use url::Url;
use winit::application::ApplicationHandler;
use winit::dpi::{LogicalSize, PhysicalPosition, PhysicalSize, Size};
use winit::event::{ElementState, KeyEvent, Modifiers, StartCause, WindowEvent};
use winit::event::{ElementState, Ime, KeyEvent, Modifiers, StartCause, WindowEvent};
use winit::event_loop::{ActiveEventLoop, ControlFlow, EventLoop, EventLoopProxy};
use winit::keyboard::{Key, NamedKey};
use winit::window::{Fullscreen, Icon, WindowAttributes, WindowId};
@@ -227,6 +228,18 @@ impl MainWindow {
};
self.check_redraw();
}
WindowEvent::Ime(ime) => match ime {
Ime::Enabled => {}
Ime::Preedit(text, cursor) => {
self.player
.handle_event(PlayerEvent::Ime(ImeEvent::Preedit(text, cursor)));
}
Ime::Commit(text) => {
self.player
.handle_event(PlayerEvent::Ime(ImeEvent::Commit(text)));
}
Ime::Disabled => {}
},
_ => (),
}
}
@@ -580,6 +593,33 @@ impl ApplicationHandler<RuffleEvent> for App {
}
}

(Some(main_window), RuffleEvent::PlayerNotification(notification)) => {
match notification {
PlayerNotification::ImeNotification(ImeNotification::ImeReady {
purpose,
cursor_area,
}) => {
let ime_enabled = main_window.preferences.ime_enabled().unwrap_or(false);
main_window.gui.set_ime_allowed(ime_enabled);
main_window.gui.set_ime_purpose(purpose);
main_window.gui.set_ime_cursor_area(cursor_area);
}
PlayerNotification::ImeNotification(ImeNotification::ImePurposeUpdated(
purpose,
)) => {
main_window.gui.set_ime_purpose(purpose);
}
PlayerNotification::ImeNotification(ImeNotification::ImeCursorAreaUpdated(
cursor_area,
)) => {
main_window.gui.set_ime_cursor_area(cursor_area);
}
PlayerNotification::ImeNotification(ImeNotification::ImeNotReady) => {
main_window.gui.set_ime_allowed(false);
}
}
}

(_, RuffleEvent::ExitRequested) => {
event_loop.exit();
}
5 changes: 5 additions & 0 deletions desktop/src/custom_event.rs
Original file line number Diff line number Diff line change
@@ -1,5 +1,7 @@
//! Custom event type for desktop ruffle
use ruffle_core::events::PlayerNotification;

use crate::{gui::DialogDescriptor, player::LaunchOptions};

/// User-defined events.
@@ -33,4 +35,7 @@ pub enum RuffleEvent {

/// The movie wants to open a dialog.
OpenDialog(DialogDescriptor),

/// Ruffle core has a notification to handle.
PlayerNotification(PlayerNotification),
}
26 changes: 25 additions & 1 deletion desktop/src/gui/controller.rs
Original file line number Diff line number Diff line change
@@ -8,6 +8,7 @@ use crate::preferences::GlobalPreferences;
use anyhow::anyhow;
use egui::{Context, ViewportId};
use fontdb::{Database, Family, Query, Source};
use ruffle_core::events::{ImeCursorArea, ImePurpose};
use ruffle_core::{Player, PlayerEvent};
use ruffle_render_wgpu::backend::{request_adapter_and_device, WgpuRenderBackend};
use ruffle_render_wgpu::descriptors::Descriptors;
@@ -21,7 +22,7 @@ use winit::dpi::{PhysicalPosition, PhysicalSize};
use winit::event::WindowEvent;
use winit::event_loop::EventLoopProxy;
use winit::keyboard::{Key, NamedKey};
use winit::window::{Theme, Window};
use winit::window::{ImePurpose as WinitImePurpose, Theme, Window};

use super::{DialogDescriptor, FilePicker};

@@ -269,6 +270,11 @@ impl GuiController {
(x, y)
}

pub fn movie_to_window_position(&self, x: f64, y: f64) -> PhysicalPosition<f64> {
let y = y + self.height_offset();
PhysicalPosition::new(x, y)
}

pub fn render(&mut self, mut player: Option<MutexGuard<Player>>) {
let surface_texture = match self.surface.get_current_texture() {
Ok(surface_texture) => surface_texture,
@@ -439,6 +445,24 @@ impl GuiController {
pub fn open_dialog(&mut self, dialog_event: DialogDescriptor) {
self.gui.dialogs.open_dialog(dialog_event);
}

pub fn set_ime_allowed(&self, allowed: bool) {
self.window.set_ime_allowed(allowed);
}

pub fn set_ime_purpose(&self, purpose: ImePurpose) {
self.window.set_ime_purpose(match purpose {
ImePurpose::Standard => WinitImePurpose::Normal,
ImePurpose::Password => WinitImePurpose::Password,
});
}

pub fn set_ime_cursor_area(&self, cursor_area: ImeCursorArea) {
self.window.set_ime_cursor_area(
self.movie_to_window_position(cursor_area.x, cursor_area.y),
PhysicalSize::new(cursor_area.width, cursor_area.height),
);
}
}

fn create_wgpu_instance(
45 changes: 45 additions & 0 deletions desktop/src/gui/dialogs/preferences_dialog.rs
Original file line number Diff line number Diff line change
@@ -51,6 +51,9 @@ pub struct PreferencesDialog {
open_url_mode: OpenUrlMode,
open_url_mode_readonly: bool,
open_url_mode_changed: bool,

ime_enabled: Option<bool>,
ime_enabled_changed: bool,
}

impl PreferencesDialog {
@@ -109,6 +112,9 @@ impl PreferencesDialog {
open_url_mode_readonly: preferences.cli.open_url_mode.is_some(),
open_url_mode_changed: false,

ime_enabled: preferences.ime_enabled(),
ime_enabled_changed: false,

preferences,
}
}
@@ -137,6 +143,8 @@ impl PreferencesDialog {

self.show_open_url_mode_preferences(locale, &locked_text, ui);

self.show_ime_preferences(locale, ui);

self.show_language_preferences(locale, ui);

self.show_theme_preferences(locale, ui);
@@ -390,6 +398,32 @@ impl PreferencesDialog {
ui.end_row();
}

fn show_ime_preferences(&mut self, locale: &LanguageIdentifier, ui: &mut Ui) {
ui.label(format!(
"{} {}",
text(locale, "ime-enabled"),
text(locale, "ime-enabled-experimental")
))
.on_hover_text_at_pointer(text(locale, "ime-enabled-tooltip"));
let previous = self.ime_enabled;
ComboBox::from_id_salt("ime-enabled")
.selected_text(ime_enabled_name(locale, self.ime_enabled))
.show_ui(ui, |ui| {
let values = [None, Some(true), Some(false)];
for value in values {
ui.selectable_value(
&mut self.ime_enabled,
value,
ime_enabled_name(locale, value),
);
}
});
if self.ime_enabled != previous {
self.ime_enabled_changed = true;
}
ui.end_row();
}

fn show_audio_preferences(&mut self, locale: &LanguageIdentifier, ui: &mut Ui) {
ui.label(text(locale, "audio-output-device"));

@@ -566,6 +600,9 @@ impl PreferencesDialog {
if self.open_url_mode_changed {
preferences.set_open_url_mode(self.open_url_mode);
}
if self.ime_enabled_changed {
preferences.set_ime_enabled(self.ime_enabled);
}
}) {
// [NA] TODO: Better error handling... everywhere in desktop, really
tracing::error!("Could not save preferences: {e}");
@@ -653,6 +690,14 @@ fn storage_backend_name(locale: &LanguageIdentifier, backend: StorageBackend) ->
}
}

fn ime_enabled_name(locale: &LanguageIdentifier, ime_enabled: Option<bool>) -> Cow<str> {
match ime_enabled {
None => text(locale, "ime-enabled-default"),
Some(true) => text(locale, "ime-enabled-on"),
Some(false) => text(locale, "ime-enabled-off"),
}
}

fn backend_availability(instance: &wgpu::Instance, backend: wgpu::Backends) -> wgpu::Backends {
if instance.enumerate_adapters(backend).is_empty() {
wgpu::Backends::empty()
14 changes: 14 additions & 0 deletions desktop/src/player.rs
Original file line number Diff line number Diff line change
@@ -290,10 +290,24 @@ impl ActivePlayer {
builder = builder.with_gamepad_button_mapping(opt.gamepad_button_mapping.clone());
}

let (notification_sender, notification_recv) = async_channel::unbounded();

let event_loop2 = event_loop.clone();
tokio::spawn(async move {
while let Ok(notification) = notification_recv.recv().await {
let event = RuffleEvent::PlayerNotification(notification);
match event_loop2.send_event(event) {
Ok(_) => continue,
Err(_) => break,
}
}
});

builder = builder
.with_navigator(navigator)
.with_renderer(renderer)
.with_storage(preferences.storage_backend().create_backend(&opt))
.with_notification_sender(notification_sender)
.with_fs_commands(Box::new(DesktopFSCommandProvider {
event_loop: event_loop.clone(),
}))
9 changes: 9 additions & 0 deletions desktop/src/preferences.rs
Original file line number Diff line number Diff line change
@@ -222,6 +222,13 @@ impl GlobalPreferences {
})
}

pub fn ime_enabled(&self) -> Option<bool> {
self.preferences
.lock()
.expect("Non-poisoned preferences")
.ime_enabled
}

pub fn recents<R>(&self, fun: impl FnOnce(&Recents) -> R) -> R {
fun(&self.recents.lock().expect("Recents is not reentrant"))
}
@@ -279,6 +286,7 @@ pub struct SavedGlobalPreferences {
pub storage: StoragePreferences,
pub theme_preference: ThemePreference,
pub open_url_mode: OpenUrlMode,
pub ime_enabled: Option<bool>,
}

impl Default for SavedGlobalPreferences {
@@ -302,6 +310,7 @@ impl Default for SavedGlobalPreferences {
storage: Default::default(),
theme_preference: Default::default(),
open_url_mode: Default::default(),
ime_enabled: None,
}
}
}
54 changes: 54 additions & 0 deletions desktop/src/preferences/read.rs
Original file line number Diff line number Diff line change
@@ -83,6 +83,10 @@ pub fn read_preferences(input: &str) -> ParseDetails<SavedGlobalPreferences> {
}
});

document.get_table_like(&mut cx, "ime", |cx, ime| {
result.ime_enabled = ime.get_bool(cx, "enabled");
});

ParseDetails {
warnings: cx.warnings,
result: DocumentHolder::new(result, document),
@@ -707,4 +711,54 @@ mod tests {
result.warnings
);
}

#[test]
fn ime_enabled() {
let result = read_preferences("ime = {enabled = true}");
assert_eq!(
&SavedGlobalPreferences {
ime_enabled: Some(true),
..Default::default()
},
result.values()
);
assert_eq!(Vec::<ParseWarning>::new(), result.warnings);

let result = read_preferences("ime.enabled = false");
assert_eq!(
&SavedGlobalPreferences {
ime_enabled: Some(false),
..Default::default()
},
result.values()
);
assert_eq!(Vec::<ParseWarning>::new(), result.warnings);

let result = read_preferences("[ime]\nenabled = false\n");
assert_eq!(
&SavedGlobalPreferences {
ime_enabled: Some(false),
..Default::default()
},
result.values()
);
assert_eq!(Vec::<ParseWarning>::new(), result.warnings);

let result = read_preferences("ime.enabled = \"x\"");
assert_eq!(
&SavedGlobalPreferences {
ime_enabled: None,
..Default::default()
},
result.values()
);
assert_eq!(
vec![ParseWarning::UnexpectedType {
expected: "boolean",
actual: "string",
path: "ime.enabled".to_string(),
}],
result.warnings
);
}
}
30 changes: 30 additions & 0 deletions desktop/src/preferences/write.rs
Original file line number Diff line number Diff line change
@@ -131,6 +131,17 @@ impl<'a> PreferencesWriter<'a> {
values.open_url_mode = open_url_mode;
});
}

pub fn set_ime_enabled(&mut self, ime_enabled: Option<bool>) {
self.0.edit(|values, toml_document| {
if let Some(ime_enabled) = ime_enabled {
toml_document["ime"]["enabled"] = value(ime_enabled);
} else {
toml_document["ime"]["enabled"] = toml_edit::Item::None;
}
values.ime_enabled = ime_enabled;
});
}
}

#[cfg(test)]
@@ -327,4 +338,23 @@ mod tests {
"",
);
}

#[test]
fn set_ime_enabled() {
test(
"ime.enabled = true\n",
|writer| writer.set_ime_enabled(Some(false)),
"ime.enabled = false\n",
);
test(
"ime = {}",
|writer| writer.set_ime_enabled(Some(true)),
"ime = { enabled = true }\n",
);
test(
"ime.enabled = false",
|writer| writer.set_ime_enabled(None),
"",
);
}
}