osu_rs/
lib.rs

1#![allow(clippy::unit_arg)]
2use bitflags::bitflags;
3use osu_rs_derive::{BeatmapEnum, BeatmapSection};
4use parsers::{InvalidColour, InvalidEvent, InvalidEventCommand, ParseError};
5use std::{
6    borrow::Cow,
7    io::{self, BufRead, BufReader, Seek, Write},
8    ops::{Add, Sub},
9};
10use util::{Borrowed, Lended, StaticCow};
11
12mod parsers;
13mod util;
14
15use parsers::{
16    CharEnumParseError, EnumParseError, IntEnumParseError, InvalidRecordField, ParseField,
17    RecordParseError,
18};
19
20#[derive(Copy, Clone, Debug)]
21pub struct Context {
22    pub version: i32,
23}
24
25pub trait BeatmapSection<'a> {
26    fn consume_line(
27        &mut self,
28        ctx: &Context,
29        line: impl StaticCow<'a>,
30    ) -> Result<Option<Section>, ParseError>;
31}
32
33use thiserror::Error;
34
35pub type Colour = (u8, u8, u8);
36
37/// Map countdown types
38#[derive(BeatmapEnum, Copy, Clone, Debug, Default, PartialEq, Eq, Hash)]
39pub enum Countdown {
40    #[default]
41    None = 0,
42    Normal = 1,
43    HalfSpeed = 2,
44    DoubleSpeed = 3,
45}
46
47/// Hit circle overlay position compared to hit numbers
48#[derive(BeatmapEnum, Copy, Clone, Debug, Default, PartialEq, Eq, Hash)]
49#[beatmap_enum(ignore_case)]
50pub enum OverlayPosition {
51    #[default]
52    NoChange = 0,
53    Below = 1,
54    Above = 2,
55}
56
57/// Sample sets
58#[derive(BeatmapEnum, Copy, Clone, Debug, Default, PartialEq, Eq, Hash)]
59pub enum SampleSet {
60    All = -1,
61    #[default]
62    None = 0,
63    Normal = 1,
64    Soft = 2,
65    Drum = 3,
66}
67
68/// Event sample sets
69#[derive(BeatmapEnum, Copy, Clone, Debug, Default, PartialEq, Eq, Hash)]
70pub enum EventSampleSet {
71    #[default]
72    All = -1,
73    Normal = 1,
74    Soft = 2,
75    Drum = 3,
76}
77
78/// Game modes
79#[derive(BeatmapEnum, Copy, Clone, Debug, PartialEq, Eq, Hash)]
80pub enum GameMode {
81    Osu = 0,
82    Taiko = 1,
83    CatchTheBeat = 2,
84    Mania = 3,
85}
86
87/// Time in milliseconds
88#[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, Hash)]
89pub struct Time<T>(pub T);
90
91impl<T: Copy + Clone + From<i8> + Add<T, Output = T> + Sub<T, Output = T>> Time<T> {
92    pub fn new(time: T, version: i32) -> Self {
93        Self(if version < 5 {
94            time + T::from(24)
95        } else {
96            time
97        })
98    }
99    pub fn serialize(&self, version: i32) -> T {
100        if version < 5 {
101            self.0 - T::from(24)
102        } else {
103            self.0
104        }
105    }
106}
107
108/// General section
109#[derive(BeatmapSection, Clone, Debug)]
110#[beatmap_section(Self::extra_key_handler)]
111pub struct General<'a> {
112    /// Audio file name
113    pub audio_filename: Cow<'a, str>,
114    /// Milliseconds of silence before the audio starts playing
115    pub audio_lead_in: i32,
116    /// md5 hash of the audio file. Deprecated and never serialized
117    pub audio_hash: Cow<'a, str>,
118    /// Preview time
119    pub preview_time: i32,
120    /// Countdown type
121    #[from(i32)]
122    pub countdown: Countdown,
123    pub sample_set: SampleSet,
124    // #[clamp(0.0, 1.0)]
125    pub stack_leniency: f32,
126    #[from(i32)]
127    pub mode: GameMode,
128    pub letterbox_in_breaks: bool,
129    pub story_fire_in_front: bool,
130    pub use_skin_sprites: bool,
131    pub always_show_playfield: bool,
132    pub custom_samples: bool,
133    pub overlay_position: OverlayPosition,
134    pub skin_preference: Cow<'a, str>,
135    pub epilepsy_warning: bool,
136    // #[clamp(0, 3)]
137    pub countdown_offset: i32,
138    pub special_style: bool,
139    pub widescreen_storyboard: bool,
140    pub samples_match_playback_rate: bool,
141}
142
143impl<'a> General<'a> {
144    fn extra_key_handler(k: impl StaticCow<'a>) -> Option<Section> {
145        k.as_ref().starts_with("Editor").then_some(Section::Editor)
146    }
147}
148
149impl<'a> General<'a> {
150    fn default_with_context(ctx: &Context) -> Self {
151        Self {
152            audio_filename: "".into(),
153            audio_lead_in: 0,
154            audio_hash: "".into(),
155            preview_time: -1,
156            countdown: Countdown::Normal,
157            sample_set: SampleSet::Normal,
158            stack_leniency: 0.7,
159            mode: GameMode::Osu,
160            letterbox_in_breaks: false,
161            story_fire_in_front: true,
162            use_skin_sprites: false,
163            always_show_playfield: false,
164            custom_samples: ctx.version < 4,
165            overlay_position: OverlayPosition::NoChange,
166            skin_preference: "".into(),
167            epilepsy_warning: false,
168            countdown_offset: 0,
169            special_style: false,
170            widescreen_storyboard: false,
171            samples_match_playback_rate: false,
172        }
173    }
174}
175
176/// Editor section
177#[derive(BeatmapSection, Clone, Debug)]
178pub struct Editor {
179    // aliases don't occur in the Editor section itself they come from the General secction
180    #[alias("EditorBookmarks")]
181    pub bookmarks: Vec<i32>,
182    #[alias("EditorDistanceSpacing")]
183    pub distance_spacing: f64,
184    pub beat_divisor: i32,
185    pub grid_size: i32,
186    pub timeline_zoom: f32,
187}
188
189impl Editor {
190    fn default_with_context(_ctx: &Context) -> Self {
191        Self {
192            bookmarks: vec![],
193            distance_spacing: 0.8,
194            beat_divisor: 1,
195            grid_size: 32,
196            timeline_zoom: 1.,
197        }
198    }
199}
200
201/// Metadata section
202#[derive(BeatmapSection, Clone, Debug)]
203pub struct Metadata<'a> {
204    pub title: Cow<'a, str>,
205    pub title_unicode: Cow<'a, str>,
206    pub artist: Cow<'a, str>,
207    pub artist_unicode: Cow<'a, str>,
208    pub creator: Cow<'a, str>,
209    pub version: Cow<'a, str>,
210    pub source: Cow<'a, str>,
211    pub tags: Cow<'a, str>,
212    pub beatmap_id: i32,
213    pub beatmap_set_id: i32,
214}
215
216impl<'a> Metadata<'a> {
217    fn default_with_context(_ctx: &Context) -> Self {
218        Self {
219            title: "".into(),
220            title_unicode: "".into(),
221            artist: "".into(),
222            artist_unicode: "".into(),
223            creator: "".into(),
224            version: "".into(),
225            source: "".into(),
226            tags: "".into(),
227            beatmap_id: 0,
228            beatmap_set_id: -1,
229        }
230    }
231}
232
233/// Difficulty section
234#[derive(BeatmapSection, Copy, Clone, Debug)]
235pub struct Difficulty {
236    pub hp_drain_rate: f32,
237    pub circle_size: f32,
238    pub overall_difficulty: f32,
239    pub approach_rate: f32,
240    pub slider_multiplier: f64,
241    pub slider_tick_rate: f64,
242}
243
244impl Difficulty {
245    fn default_with_context(_ctx: &Context) -> Self {
246        Self {
247            hp_drain_rate: 5.,
248            circle_size: 5.,
249            overall_difficulty: 5.,
250            approach_rate: 5.,
251            slider_multiplier: 1.4,
252            slider_tick_rate: 1.,
253        }
254    }
255}
256
257/// Colours section
258#[derive(Clone, Debug)]
259pub struct Colours<'a> {
260    pub colours: Vec<(Cow<'a, str>, Colour)>,
261}
262
263impl<'a> Colours<'a> {
264    fn default_with_context(_ctx: &Context) -> Self {
265        Self {
266            colours: Vec::new(),
267        }
268    }
269}
270
271impl<'a> BeatmapSection<'a> for Colours<'a> {
272    fn consume_line(
273        &mut self,
274        ctx: &Context,
275        line: impl StaticCow<'a>,
276    ) -> Result<Option<Section>, ParseError> {
277        if let Some((key, value)) = line.split_once(':') {
278            let key = key.trim();
279            let value = value.trim();
280            let mut end_span = value.span();
281            end_span.start = end_span.end;
282            let (r, value) = value
283                .split_once(',')
284                .ok_or(InvalidColour)
285                .map_err(ParseError::curry("colour", end_span))?;
286            let (g, b) = value
287                .split_once(',')
288                .ok_or(InvalidColour)
289                .map_err(ParseError::curry("colour", end_span))?;
290            let r = ParseField::parse_field("red colour channel", ctx, r)?;
291            let g = ParseField::parse_field("red colour channel", ctx, g)?;
292            let b = ParseField::parse_field("red colour channel", ctx, b)?;
293            self.colours.push((key.into_cow(), (r, g, b)));
294        }
295        Ok(None)
296    }
297}
298
299/// Variables section
300#[derive(Clone, Debug)]
301pub struct Variables<'a> {
302    pub variables: Vec<(Cow<'a, str>, Cow<'a, str>)>,
303}
304
305impl<'a> Variables<'a> {
306    fn default_with_context(_ctx: &Context) -> Self {
307        Self {
308            variables: Vec::new(),
309        }
310    }
311}
312
313impl<'a> BeatmapSection<'a> for Variables<'a> {
314    fn consume_line(
315        &mut self,
316        _ctx: &Context,
317        line: impl StaticCow<'a>,
318    ) -> Result<Option<Section>, ParseError> {
319        if let Some((key, value)) = line.split_once('=') {
320            self.variables.push((key.into_cow(), value.into_cow()));
321        }
322        Ok(None)
323    }
324}
325
326#[derive(BeatmapEnum, Clone, Copy, PartialEq, Eq, Hash)]
327enum EventId {
328    Background = 0,
329    Video = 1,
330    Break = 2,
331    Colour = 3,
332    Sprite = 4,
333    Sample = 5,
334    Animation = 6,
335}
336
337#[derive(BeatmapEnum, Clone, Copy, Debug, PartialEq, Eq, Hash)]
338pub enum EventOrigin {
339    TopLeft = 0,
340    Centre = 1,
341    CentreLeft = 2,
342    TopRight = 3,
343    BottomCentre = 4,
344    TopCentre = 5,
345    Custom = 6,
346    CentreRight = 7,
347    BottomLeft = 8,
348    BottomRight = 9,
349}
350
351#[derive(BeatmapEnum, Clone, Copy, Debug, PartialEq, Eq, Hash)]
352pub enum EventLayer {
353    Background = 0,
354    // used to be Failing
355    Fail = 1,
356    // used to be Passing
357    Pass = 2,
358    Foreground = 3,
359    Overlay = 4,
360}
361
362#[derive(BeatmapEnum, Clone, Copy, Debug, Default, PartialEq, Eq, Hash)]
363pub enum EventLoop {
364    #[default]
365    LoopForever = 0,
366    LoopOnce = 1,
367}
368
369#[derive(BeatmapEnum, Clone, Copy, Debug, Default, PartialEq, Eq, Hash)]
370pub enum EventEasing {
371    #[default]
372    Linear = 0,
373    LinearOut = 1,
374    LinearIn = 2,
375    QuadIn = 3,
376    QuadOut = 4,
377    QuadInOut = 5,
378    CubicIn = 6,
379    CubicOut = 7,
380    CubicInOut = 8,
381    QuartIn = 9,
382    QuartOut = 10,
383    QuartInOut = 11,
384    QuintiIn = 12,
385    QuintOut = 13,
386    QuintInOut = 14,
387    SineIn = 15,
388    SineOut = 16,
389    SineInOut = 17,
390    ExpoIn = 18,
391    ExpoOut = 19,
392    ExpoInOut = 20,
393    CircIn = 21,
394    CircOut = 22,
395    CircInOut = 23,
396    ElasticIn = 24,
397    ElasticOut = 25,
398    ElasticHalfOut = 26,
399    ElasticQuarterOut = 27,
400    ElasticInOut = 28,
401    BackIn = 29,
402    BackOut = 30,
403    BackInOut = 31,
404    BounceIn = 32,
405    BounceOut = 33,
406    BounceInOut = 34,
407}
408
409#[derive(BeatmapEnum, Clone, Copy, Debug, PartialEq, Eq, Hash)]
410#[beatmap_enum(from_char)]
411pub enum ParameterCommand {
412    HorizontalFlip,
413    VerticalFlip,
414    AdditiveBlend,
415}
416
417#[derive(Clone, Copy, Debug)]
418pub enum EventTrigger {
419    Passing,
420    Failing,
421    HitObjectHit,
422    HitSound {
423        sample_set: Option<EventSampleSet>,
424        addition_set: Option<EventSampleSet>,
425        sound: Option<SoundType>,
426        custom_sample_index: Option<i32>,
427    },
428}
429
430#[derive(Clone, Debug, PartialEq)]
431pub enum EventObject<'a> {
432    Background {
433        filename: Cow<'a, str>,
434        time: Time<i32>,
435        x: i32,
436        y: i32,
437    },
438    Video {
439        filename: Cow<'a, str>,
440        time: Time<i32>,
441        x: i32,
442        y: i32,
443    },
444    Break {
445        time: Time<i32>,
446        end_time: Time<i32>,
447    },
448    Colour {
449        time: Time<i32>,
450        colour: Colour,
451    },
452    Sprite {
453        filename: Cow<'a, str>,
454        x: f64,
455        y: f64,
456        origin: EventOrigin,
457        layer: EventLayer,
458    },
459    Sample {
460        filename: Cow<'a, str>,
461        time: Time<i32>,
462        volume: f64,
463        layer: EventLayer,
464    },
465    Animation {
466        filename: Cow<'a, str>,
467        x: f64,
468        y: f64,
469        origin: EventOrigin,
470        layer: EventLayer,
471        frame_count: i32,
472        frame_delay: f64,
473        loop_type: EventLoop,
474    },
475}
476
477#[derive(Copy, Clone, Debug, PartialEq)]
478pub struct MoveCommand {
479    pub pos: (f32, f32),
480    pub end_pos: Option<(f32, f32)>,
481}
482
483#[derive(Copy, Clone, Debug, PartialEq)]
484pub struct MoveXCommand {
485    pub x: f32,
486    pub end_x: Option<f32>,
487}
488
489#[derive(Copy, Clone, Debug, PartialEq)]
490pub struct MoveYCommand {
491    pub y: f32,
492    pub end_y: Option<f32>,
493}
494
495#[derive(Copy, Clone, Debug, PartialEq)]
496pub struct FadeCommand {
497    pub opacity: f32,
498    pub end_opacity: Option<f32>,
499}
500
501#[derive(Copy, Clone, Debug, PartialEq)]
502pub struct RotateCommand {
503    pub rotation: f32,
504    pub end_rotation: Option<f32>,
505}
506
507#[derive(Copy, Clone, Debug, PartialEq)]
508pub struct ScaleCommand {
509    pub scale: f32,
510    pub end_scale: Option<f32>,
511}
512
513#[derive(Copy, Clone, Debug, PartialEq)]
514pub struct VectorScaleCommand {
515    pub scale: (f32, f32),
516    pub end_scale: Option<(f32, f32)>,
517}
518
519#[derive(Copy, Clone, Debug, PartialEq, Eq)]
520pub struct ColourCommand {
521    pub colour: Colour,
522    pub end_colour: Option<Colour>,
523}
524
525#[derive(Clone, Debug, PartialEq)]
526pub struct LoopCommand {
527    pub time: Time<i32>,
528    pub count: i32,
529}
530
531#[derive(Clone, Debug)]
532pub struct TriggerCommand {
533    pub trigger: EventTrigger,
534    pub time_range: Option<(Time<i32>, Time<i32>)>,
535    pub trigger_group: Option<i32>,
536}
537
538#[derive(Clone, Debug, PartialEq)]
539pub enum BasicEventCommandSequence {
540    Move(Vec<MoveCommand>),
541    MoveX(Vec<MoveXCommand>),
542    MoveY(Vec<MoveYCommand>),
543    Fade(Vec<FadeCommand>),
544    Rotate(Vec<RotateCommand>),
545    Scale(Vec<ScaleCommand>),
546    VectorScale(Vec<VectorScaleCommand>),
547    Colour(Vec<ColourCommand>),
548    Parameter(Vec<ParameterCommand>),
549}
550
551#[derive(Clone, Debug, PartialEq)]
552pub struct BasicCommand {
553    pub sequence: BasicEventCommandSequence,
554    pub easing: EventEasing,
555    pub start_time: Time<i32>,
556    /// Defaults to `start_time`
557    pub end_time: Option<Time<i32>>,
558}
559
560#[derive(Clone, Debug)]
561pub enum EventCommandSequence {
562    Basic(BasicCommand),
563    Loop(Vec<LoopCommand>, Vec<BasicCommand>),
564    Trigger(Vec<TriggerCommand>, Vec<BasicCommand>),
565}
566
567impl BasicCommand {
568    fn write<W: Write>(&self, ctx: &Context, f: &mut W) -> io::Result<()> {
569        let common = |f: &mut W| -> io::Result<()> {
570            if let Some(end_time) = self.end_time {
571                write!(
572                    f,
573                    ",{},{},{}",
574                    self.easing as i32,
575                    self.start_time.serialize(ctx.version),
576                    end_time.serialize(ctx.version)
577                )?;
578            } else {
579                write!(
580                    f,
581                    ",{},{},",
582                    self.easing as i32,
583                    self.start_time.serialize(ctx.version)
584                )?;
585            }
586            Ok(())
587        };
588        macro_rules! match_kind {
589            ($i:tt 1 $seq:tt { $f1:ident, $f2:ident }) => {{
590                f.write_all($i)?;
591                common(f)?;
592                for (i, elem) in $seq.iter().enumerate() {
593                    let a = elem.$f1;
594                    let b = elem
595                        .$f2
596                        .or_else(|| if i + 1 == $seq.len() { None } else { Some(a) });
597                    if let Some(b) = b {
598                        write!(f, ",{a},{b}")?;
599                    } else {
600                        write!(f, ",{a}")?;
601                    }
602                }
603            }};
604            ($i:tt 2 $seq:tt { $f1:ident, $f2:ident }) => {{
605                f.write_all($i)?;
606                common(f)?;
607                for (i, elem) in $seq.iter().enumerate() {
608                    let a = elem.$f1;
609                    let b = elem
610                        .$f2
611                        .or_else(|| if i + 1 == $seq.len() { None } else { Some(a) });
612                    if let Some(b) = b {
613                        write!(f, ",{},{},{},{}", a.0, a.1, b.0, b.1)?;
614                    } else {
615                        write!(f, ",{},{}", a.0, a.1)?;
616                    }
617                }
618            }};
619            ($i:tt 3 $seq:tt { $f1:ident, $f2:ident }) => {{
620                f.write_all($i)?;
621                common(f)?;
622                for (i, elem) in $seq.iter().enumerate() {
623                    let a = elem.$f1;
624                    let b = elem
625                        .$f2
626                        .or_else(|| if i + 1 == $seq.len() { None } else { Some(a) });
627                    if let Some(b) = b {
628                        write!(f, ",{},{},{},{},{},{}", a.0, a.1, a.2, b.0, b.1, b.2)?;
629                    } else {
630                        write!(f, ",{},{},{}", a.0, a.1, a.2)?;
631                    }
632                }
633            }};
634        }
635        match &self.sequence {
636            BasicEventCommandSequence::Move(seq) => match_kind!(b"M" 2 seq { pos, end_pos }),
637            BasicEventCommandSequence::MoveX(seq) => match_kind!(b"MX" 1 seq { x, end_x }),
638            BasicEventCommandSequence::MoveY(seq) => match_kind!(b"MY" 1 seq { y, end_y }),
639            BasicEventCommandSequence::Fade(seq) => {
640                match_kind!(b"F" 1 seq { opacity, end_opacity })
641            }
642            BasicEventCommandSequence::Rotate(seq) => {
643                match_kind!(b"R" 1 seq { rotation, end_rotation })
644            }
645            BasicEventCommandSequence::Scale(seq) => match_kind!(b"S" 1 seq { scale, end_scale }),
646            BasicEventCommandSequence::VectorScale(seq) => {
647                match_kind!(b"V" 2 seq { scale, end_scale })
648            }
649            BasicEventCommandSequence::Colour(seq) => {
650                match_kind!(b"C" 3 seq { colour, end_colour })
651            }
652            BasicEventCommandSequence::Parameter(seq) => {
653                f.write_all(b"P")?;
654                common(f)?;
655                for param in seq {
656                    f.write_all(match param {
657                        ParameterCommand::VerticalFlip => b",V",
658                        ParameterCommand::HorizontalFlip => b",H",
659                        ParameterCommand::AdditiveBlend => b",A",
660                    })?;
661                }
662            }
663        }
664        Ok(())
665    }
666}
667
668#[derive(Clone, Debug)]
669pub struct EventSequence<'a> {
670    pub object: EventObject<'a>,
671    pub commands: Vec<EventCommandSequence>,
672}
673
674/// Events section
675#[derive(Clone, Debug)]
676pub struct Events<'a> {
677    pub events: Vec<EventSequence<'a>>,
678}
679
680impl<'a> Events<'a> {
681    fn default_with_context(_ctx: &Context) -> Self {
682        Self { events: Vec::new() }
683    }
684}
685
686impl<'a> BeatmapSection<'a> for Events<'a> {
687    fn consume_line(
688        &mut self,
689        ctx: &Context,
690        line: impl StaticCow<'a>,
691    ) -> Result<Option<Section>, ParseError> {
692        if line.as_ref().starts_with("//") {
693            return Ok(None);
694        }
695        if line.as_ref().starts_with(|x| matches!(x, ' ' | '_')) {
696            let nested = matches!(line.as_ref().chars().nth(1), Some(' ' | '_'));
697            let line = line.trim_matches2(' ', '_');
698            let mut s = line.split(',');
699            let mut end_span = line.span();
700            end_span.start = end_span.end;
701            let kind = s
702                .next()
703                .ok_or(InvalidEventCommand)
704                .map_err(ParseError::curry("event command", end_span))?;
705            let is_basic = !matches!(kind.as_ref(), "L" | "T");
706            if is_basic {
707                let easing = s
708                    .next()
709                    .ok_or(InvalidEventCommand)
710                    .map_err(ParseError::curry("event command easing", end_span))?;
711                let easing = ParseField::parse_field("event command easing", ctx, easing)?;
712                let start_time = s
713                    .next()
714                    .ok_or(InvalidEventCommand)
715                    .map_err(ParseError::curry("event command start time", end_span))?;
716                let start_time =
717                    ParseField::parse_field("event command start time", ctx, start_time)?;
718                let end_time = s
719                    .next()
720                    .ok_or(InvalidEventCommand)
721                    .map_err(ParseError::curry("event command end time", end_span))?;
722                let end_time = if end_time.as_ref().is_empty() {
723                    None
724                } else {
725                    Some(ParseField::parse_field(
726                        "event command end time",
727                        ctx,
728                        end_time,
729                    )?)
730                };
731                macro_rules! match_kind {
732                    ($i:ident 1 $t:tt { $f1:ident: $d1:expr, $f2:ident: $d2:expr, }) => {{
733                        let mut sequence = vec![];
734                        while let Some(start) = s.next() {
735                            let start = ParseField::parse_field($d1, ctx, start)?;
736                            let end = s
737                                .next()
738                                .map(|end| ParseField::parse_field($d2, ctx, end))
739                                .transpose()?;
740                            sequence.push($t {
741                                $f1: start,
742                                $f2: end,
743                            });
744                        }
745                        BasicEventCommandSequence::$i(sequence)
746                    }};
747                    ($i:ident 2 $t:tt { $f1:ident: $d11:expr, $d12:expr, $f2:ident: $d21:expr, $d22:expr, }) => {{
748                        let mut sequence = vec![];
749                        while let Some(start1) = s.next() {
750                            let start1 = ParseField::parse_field($d11, ctx, start1)?;
751                            let start2 = s
752                                .next()
753                                .ok_or(InvalidEventCommand)
754                                .map_err(ParseError::curry($d12, end_span))?;
755                            let start2 = ParseField::parse_field($d12, ctx, start2)?;
756                            let end = if let Some(end1) = s.next() {
757                                let end1 = ParseField::parse_field($d21, ctx, end1)?;
758                                let end2 = s
759                                    .next()
760                                    .ok_or(InvalidEventCommand)
761                                    .map_err(ParseError::curry($d22, end_span))?;
762                                let end2 = ParseField::parse_field($d22, ctx, end2)?;
763                                Some((end1, end2))
764                            } else {
765                                None
766                            };
767                            sequence.push($t {
768                                $f1: (start1, start2),
769                                $f2: end,
770                            });
771                        }
772                        BasicEventCommandSequence::$i(sequence)
773                    }};
774                    ($i:ident 3 $t:tt { $f1:ident: $d11:expr, $d12:expr, $d13:expr, $f2:ident: $d21:expr, $d22:expr, $d23:expr, }) => {{
775                        let mut sequence = vec![];
776                        while let Some(start1) = s.next() {
777                            let start1 = ParseField::parse_field($d11, ctx, start1)?;
778                            let start2 = s
779                                .next()
780                                .ok_or(InvalidEventCommand)
781                                .map_err(ParseError::curry($d12, end_span))?;
782                            let start2 = ParseField::parse_field($d12, ctx, start2)?;
783                            let start3 = s
784                                .next()
785                                .ok_or(InvalidEventCommand)
786                                .map_err(ParseError::curry($d13, end_span))?;
787                            let start3 = ParseField::parse_field($d13, ctx, start3)?;
788                            let end = if let Some(end1) = s.next() {
789                                let end1 = ParseField::parse_field($d21, ctx, end1)?;
790                                let end2 = s
791                                    .next()
792                                    .ok_or(InvalidEventCommand)
793                                    .map_err(ParseError::curry($d22, end_span))?;
794                                let end2 = ParseField::parse_field($d22, ctx, end2)?;
795                                let end3 = s
796                                    .next()
797                                    .ok_or(InvalidEventCommand)
798                                    .map_err(ParseError::curry($d23, end_span))?;
799                                let end3 = ParseField::parse_field($d23, ctx, end3)?;
800                                Some((end1, end2, end3))
801                            } else {
802                                None
803                            };
804                            sequence.push($t {
805                                $f1: (start1, start2, start3),
806                                $f2: end,
807                            });
808                        }
809                        BasicEventCommandSequence::$i(sequence)
810                    }};
811                }
812                let sequence = match kind.as_ref() {
813                    "M" => match_kind!(Move 2 MoveCommand {
814                        pos: "move event command start x position", "move event command start y position",
815                        end_pos: "move event command end x position", "move event command end y position",
816                    }),
817                    "MX" => match_kind!(MoveX 1 MoveXCommand {
818                        x: "move x event command start x position",
819                        end_x: "move x event command end x position",
820                    }),
821                    "MY" => match_kind!(MoveY 1 MoveYCommand {
822                        y: "move y event command start y position",
823                        end_y: "move y event command end y position",
824                    }),
825                    "F" => match_kind!(Fade 1 FadeCommand {
826                        opacity: "fade event command start opacity",
827                        end_opacity: "fade event command end opacity",
828                    }),
829                    "R" => match_kind!(Rotate 1 RotateCommand {
830                        rotation: "rotate event command start rotation",
831                        end_rotation: "rotate event command end rotation",
832                    }),
833                    "S" => match_kind!(Scale 1 ScaleCommand {
834                        scale: "scale event command start scale",
835                        end_scale: "scale event command end scale",
836                    }),
837                    "V" => match_kind!(VectorScale 2 VectorScaleCommand {
838                        scale: "vector scale event command start x scale", "vector scale event command start y scale",
839                        end_scale: "vector scale event command end x scale", "vector scale event command end y scale",
840                    }),
841                    "C" => match_kind!(Colour 3 ColourCommand {
842                        colour: "colour event command start red channel", "colour event command start green channel", "colour event command start blue channel",
843                        end_colour: "colour event command end red channel", "colour event command end green channel", "colour event command end blue channel",
844                    }),
845                    "P" => {
846                        let mut sequence = vec![];
847                        for parameter in s {
848                            sequence.push(match parameter.as_ref() {
849                                "H" => ParameterCommand::HorizontalFlip,
850                                "V" => ParameterCommand::VerticalFlip,
851                                "A" => ParameterCommand::AdditiveBlend,
852                                _ => {
853                                    return Err(ParseError::curry(
854                                        "parameter event command parameter",
855                                        parameter.span(),
856                                    )(
857                                        InvalidEventCommand
858                                    ))
859                                }
860                            });
861                        }
862                        BasicEventCommandSequence::Parameter(sequence)
863                    }
864                    _ => {
865                        return Err(ParseError::curry("event command type", kind.span())(
866                            InvalidEventCommand,
867                        ));
868                    }
869                };
870                let cmd = BasicCommand {
871                    sequence,
872                    easing,
873                    start_time,
874                    end_time,
875                };
876                if let Some(event) = self.events.last_mut() {
877                    match event.commands.last_mut() {
878                        Some(EventCommandSequence::Loop(_, cmds)) if nested => {
879                            cmds.push(cmd);
880                        }
881                        Some(EventCommandSequence::Trigger(_, cmds)) if nested => {
882                            cmds.push(cmd);
883                        }
884                        _ => event.commands.push(EventCommandSequence::Basic(cmd)),
885                    }
886                }
887            } else {
888                let cmd = match kind.as_ref() {
889                    "L" => {
890                        let mut sequence = vec![];
891                        while let Some(time) = s.next() {
892                            let time =
893                                ParseField::parse_field("loop event command time", ctx, time)?;
894                            let count = s
895                                .next()
896                                .ok_or(InvalidEventCommand)
897                                .map_err(ParseError::curry("loop event command count", end_span))?;
898                            let count =
899                                ParseField::parse_field("loop event command count", ctx, count)?;
900                            sequence.push(LoopCommand { time, count });
901                        }
902                        EventCommandSequence::Loop(sequence, vec![])
903                    }
904                    "T" => {
905                        let mut sequence = vec![];
906                        while let Some(trigger) = s.next() {
907                            let trigger = ParseField::parse_field(
908                                "trigger event command trigger",
909                                ctx,
910                                trigger,
911                            )?;
912                            let time_range = if let Some(start_time) = s.next() {
913                                let start_time = ParseField::parse_field(
914                                    "trigger event command start time",
915                                    ctx,
916                                    start_time,
917                                )?;
918                                let end_time = s.next().ok_or(InvalidEventCommand).map_err(
919                                    ParseError::curry("trigger event command end time", end_span),
920                                )?;
921                                let end_time = ParseField::parse_field(
922                                    "trigger event command end time",
923                                    ctx,
924                                    end_time,
925                                )?;
926                                Some((start_time, end_time))
927                            } else {
928                                None
929                            };
930                            let trigger_group = s
931                                .next()
932                                .map(|x| {
933                                    ParseField::parse_field(
934                                        "trigger event command trigger group",
935                                        ctx,
936                                        x,
937                                    )
938                                })
939                                .transpose()?;
940                            sequence.push(TriggerCommand {
941                                trigger,
942                                time_range,
943                                trigger_group,
944                            });
945                        }
946                        EventCommandSequence::Trigger(sequence, vec![])
947                    }
948                    _ => {
949                        return Err(ParseError::curry("event command type", kind.span())(
950                            InvalidEventCommand,
951                        ));
952                    }
953                };
954                if let Some(event) = self.events.last_mut() {
955                    event.commands.push(cmd);
956                }
957            }
958            return Ok(None);
959        }
960        let (kind, s) = line
961            .split_once(',')
962            .ok_or(InvalidEvent)
963            .map_err(ParseError::curry("event", line.span()))?;
964        let mut end_span = line.span();
965        end_span.start = end_span.end;
966        let object = match EventId::parse_field("event type", ctx, kind)? {
967            EventId::Background => {
968                let (time, s) = s
969                    .split_once(',')
970                    .ok_or(InvalidEvent)
971                    .map_err(ParseError::curry("background event filename", end_span))?;
972                let time = ParseField::parse_field("background event time", ctx, time)?;
973                let (filename, s) = s
974                    .split_once(',')
975                    .map(|(a, b)| (a, Some(b)))
976                    .unwrap_or((s, None));
977                let filename = filename.trim_matches('"').into_cow();
978                let (x, y) = if let Some((x, y)) = s.and_then(|x| x.split_once(',')) {
979                    let y = y.split_once(',').map(|x| x.0).unwrap_or(y);
980                    let x = ParseField::parse_field("background event position x", ctx, x)?;
981                    let y = ParseField::parse_field("background event position y", ctx, y)?;
982                    (x, y)
983                } else {
984                    (0, 0)
985                };
986                EventObject::Background {
987                    filename,
988                    time,
989                    x,
990                    y,
991                }
992            }
993            EventId::Video => {
994                let (time, s) = s
995                    .split_once(',')
996                    .ok_or(InvalidEvent)
997                    .map_err(ParseError::curry("video event filename", end_span))?;
998                let time = ParseField::parse_field("video event time", ctx, time)?;
999                let (filename, s) = s
1000                    .split_once(',')
1001                    .map(|(a, b)| (a, Some(b)))
1002                    .unwrap_or((s, None));
1003                let filename = filename.trim_matches('"').into_cow();
1004                let (x, y) = if let Some((x, y)) = s.and_then(|x| x.split_once(',')) {
1005                    let y = y.split_once(',').map(|x| x.0).unwrap_or(y);
1006                    let x = ParseField::parse_field("video event position x", ctx, x)?;
1007                    let y = ParseField::parse_field("video event position y", ctx, y)?;
1008                    (x, y)
1009                } else {
1010                    (0, 0)
1011                };
1012                EventObject::Video {
1013                    filename,
1014                    time,
1015                    x,
1016                    y,
1017                }
1018            }
1019            EventId::Break => {
1020                let (time, s) = s
1021                    .split_once(',')
1022                    .ok_or(InvalidEvent)
1023                    .map_err(ParseError::curry("break event end time", end_span))?;
1024                let (end_time, _s) = s
1025                    .split_once(',')
1026                    .map(|(a, b)| (a, Some(b)))
1027                    .unwrap_or((s, None));
1028                let time = ParseField::parse_field("break event time", ctx, time)?;
1029                let end_time = ParseField::parse_field("break event time", ctx, end_time)?;
1030                EventObject::Break { time, end_time }
1031            }
1032            EventId::Colour => {
1033                let (time, s) = s
1034                    .split_once(',')
1035                    .ok_or(InvalidEvent)
1036                    .map_err(ParseError::curry("colour event red channel", end_span))?;
1037                let time = ParseField::parse_field("colour event time", ctx, time)?;
1038                let (r, s) = s
1039                    .split_once(',')
1040                    .ok_or(InvalidEvent)
1041                    .map_err(ParseError::curry("colour event green channel", end_span))?;
1042                let r = ParseField::parse_field("colour event red channel", ctx, r)?;
1043                let (g, s) = s
1044                    .split_once(',')
1045                    .ok_or(InvalidEvent)
1046                    .map_err(ParseError::curry("colour event blue channel", end_span))?;
1047                let g = ParseField::parse_field("colour event green channel", ctx, g)?;
1048                let (b, _s) = s
1049                    .split_once(',')
1050                    .map(|(a, b)| (a, Some(b)))
1051                    .unwrap_or((s, None));
1052                let b = ParseField::parse_field("colour event blue channel", ctx, b)?;
1053                EventObject::Colour {
1054                    time,
1055                    colour: (r, g, b),
1056                }
1057            }
1058            EventId::Sprite => {
1059                let (layer, s) = s
1060                    .split_once(',')
1061                    .ok_or(InvalidEvent)
1062                    .map_err(ParseError::curry("sprite event origin", end_span))?;
1063                let layer = ParseField::parse_field("sprite event layer", ctx, layer)?;
1064                let (origin, s) = s
1065                    .split_once(',')
1066                    .ok_or(InvalidEvent)
1067                    .map_err(ParseError::curry("sprite event filename", end_span))?;
1068                let origin = ParseField::parse_field("sprite event origin", ctx, origin)?;
1069                let (filename, s) = s
1070                    .split_once(',')
1071                    .ok_or(InvalidEvent)
1072                    .map_err(ParseError::curry("sprite event position x", end_span))?;
1073                let filename = filename.trim_matches('"').into_cow();
1074                let (x, s) = s
1075                    .split_once(',')
1076                    .ok_or(InvalidEvent)
1077                    .map_err(ParseError::curry("sprite event position y", end_span))?;
1078                let x = ParseField::parse_field("sprite event position x", ctx, x)?;
1079                let (y, _s) = s
1080                    .split_once(',')
1081                    .map(|(a, b)| (a, Some(b)))
1082                    .unwrap_or((s, None));
1083                let y = ParseField::parse_field("sprite event position y", ctx, y)?;
1084                EventObject::Sprite {
1085                    filename,
1086                    x,
1087                    y,
1088                    origin,
1089                    layer,
1090                }
1091            }
1092            EventId::Sample => {
1093                let (time, s) = s
1094                    .split_once(',')
1095                    .ok_or(InvalidEvent)
1096                    .map_err(ParseError::curry("sample event layer", end_span))?;
1097                let time = ParseField::parse_field("sample event time", ctx, time)?;
1098                let (layer, s) = s
1099                    .split_once(',')
1100                    .ok_or(InvalidEvent)
1101                    .map_err(ParseError::curry("sample event filename", end_span))?;
1102                let layer = ParseField::parse_field("sample event layer", ctx, layer)?;
1103                let (filename, s) = s
1104                    .split_once(',')
1105                    .map(|(a, b)| (a, Some(b)))
1106                    .unwrap_or((s, None));
1107                let filename = filename.trim_matches('"').into_cow();
1108                let (volume, _s) = if let Some(s) = s {
1109                    let (volume, s) = s
1110                        .split_once(',')
1111                        .map(|(a, b)| (a, Some(b)))
1112                        .unwrap_or((s, None));
1113                    let volume = ParseField::parse_field("sample event volume", ctx, volume)?;
1114                    (volume, s)
1115                } else {
1116                    (100., s)
1117                };
1118                EventObject::Sample {
1119                    filename,
1120                    time,
1121                    volume,
1122                    layer,
1123                }
1124            }
1125            EventId::Animation => {
1126                let (layer, s) = s
1127                    .split_once(',')
1128                    .ok_or(InvalidEvent)
1129                    .map_err(ParseError::curry("animation event origin", end_span))?;
1130                let layer = ParseField::parse_field("animation event layer", ctx, layer)?;
1131                let (origin, s) = s
1132                    .split_once(',')
1133                    .ok_or(InvalidEvent)
1134                    .map_err(ParseError::curry("animation event filename", end_span))?;
1135                let origin = ParseField::parse_field("animation event origin", ctx, origin)?;
1136                let (filename, s) = s
1137                    .split_once(',')
1138                    .ok_or(InvalidEvent)
1139                    .map_err(ParseError::curry("animation event position x", end_span))?;
1140                let filename = filename.trim_matches('"').into_cow();
1141                let (x, s) = s
1142                    .split_once(',')
1143                    .ok_or(InvalidEvent)
1144                    .map_err(ParseError::curry("animation event position y", end_span))?;
1145                let x = ParseField::parse_field("animation event position x", ctx, x)?;
1146                let (y, s) = s
1147                    .split_once(',')
1148                    .ok_or(InvalidEvent)
1149                    .map_err(ParseError::curry("animation event frame count", end_span))?;
1150                let y = ParseField::parse_field("animation event position y", ctx, y)?;
1151                let (frame_count, s) = s
1152                    .split_once(',')
1153                    .ok_or(InvalidEvent)
1154                    .map_err(ParseError::curry("animation event frame delay", end_span))?;
1155                let frame_count =
1156                    ParseField::parse_field("animation event frame count", ctx, frame_count)?;
1157                let (frame_delay, s) = s
1158                    .split_once(',')
1159                    .map(|(a, b)| (a, Some(b)))
1160                    .unwrap_or((s, None));
1161                let frame_delay =
1162                    ParseField::parse_field("animation event frame delay", ctx, frame_delay)?;
1163                let (loop_type, _s) = if let Some(s) = s {
1164                    let (loop_type, s) = s
1165                        .split_once(',')
1166                        .map(|(a, b)| (a, Some(b)))
1167                        .unwrap_or((s, None));
1168                    let loop_type =
1169                        ParseField::parse_field("animation event loop type", ctx, loop_type)?;
1170                    (loop_type, s)
1171                } else {
1172                    (EventLoop::default(), s)
1173                };
1174                EventObject::Animation {
1175                    filename,
1176                    x,
1177                    y,
1178                    origin,
1179                    layer,
1180                    frame_count,
1181                    frame_delay,
1182                    loop_type,
1183                }
1184            }
1185        };
1186        self.events.push(EventSequence {
1187            object,
1188            commands: vec![],
1189        });
1190        Ok(None)
1191    }
1192}
1193
1194bitflags! {
1195    #[derive(Clone, Debug, Default)]
1196    pub struct TimingPointFlags: i32 {
1197        const KIAI = 1;
1198        const OMIT_FIRST_BARLINE = 8;
1199    }
1200}
1201
1202impl std::str::FromStr for TimingPointFlags {
1203    type Err = std::num::ParseIntError;
1204    fn from_str(s: &str) -> Result<Self, Self::Err> {
1205        Ok(Self::from_bits_retain(s.parse()?))
1206    }
1207}
1208
1209#[derive(Clone, Debug)]
1210pub struct TimingPoint {
1211    pub offset: Time<f64>,
1212    pub beat_length: f64,
1213    /// e.g. 4 or 3
1214    pub time_signature: i32,
1215    pub sample_set: Option<SampleSet>,
1216    pub custom_sample_index: i32,
1217    pub sample_volume: i32,
1218    pub changes_timing: bool,
1219    pub flags: TimingPointFlags,
1220}
1221
1222#[derive(BeatmapEnum, Copy, Clone, Debug, Default, PartialEq, Eq, Hash)]
1223#[beatmap_enum(from_char)]
1224pub enum SliderKind {
1225    Linear = 0,
1226    Perfect = 1,
1227    Bezier = 2,
1228    #[default]
1229    Catmull = 3,
1230}
1231
1232bitflags! {
1233    #[derive(Copy, Clone, Debug, Default)]
1234    pub struct SoundTypes: i32 {
1235        const NORMAL = 1;
1236        const WHISTLE = 2;
1237        const FINISH = 4;
1238        const CLAP = 8;
1239    }
1240}
1241
1242#[derive(BeatmapEnum, Copy, Clone, Debug, PartialEq, Eq)]
1243pub enum SoundType {
1244    Whistle,
1245    Finish,
1246    Clap,
1247}
1248
1249#[derive(Copy, Clone, Debug, Default)]
1250pub struct HitSound {
1251    pub sounds: SoundTypes,
1252    pub sample_set: SampleSet,
1253    pub addition_set: SampleSet,
1254}
1255
1256#[derive(Clone, Debug, Default)]
1257pub struct FullHitSound<'a> {
1258    pub hit_sound: HitSound,
1259    pub custom_sample_index: i32,
1260    pub volume: i32,
1261    pub sample_file: Cow<'a, str>,
1262}
1263
1264bitflags! {
1265    #[derive(Copy, Clone, Debug, Default)]
1266    pub struct HitObjectFlags: i32 {
1267        const CIRCLE = 1;
1268        const SLIDER = 2;
1269        const COMBO_START = 4;
1270        const SPINNER = 8;
1271        const COMBO_COLOUR_OFFSET_MASK = 0b1110000;
1272        const HOLD_NOTE = 128;
1273    }
1274}
1275
1276#[derive(Clone, Debug)]
1277pub enum HitObjectKind {
1278    Circle,
1279    Slider {
1280        kind: SliderKind,
1281        curve_points: Vec<(i32, i32)>,
1282        length: f64,
1283        edge_sounds: Vec<HitSound>,
1284        slide_count: i32,
1285    },
1286    Spinner {
1287        end_time: i32,
1288    },
1289    HoldNote {
1290        end_time: i32,
1291    },
1292}
1293
1294#[derive(Clone, Debug)]
1295pub struct HitObject<'a> {
1296    pub x: i32,
1297    pub y: i32,
1298    pub time: i32,
1299    pub combo_start: bool,
1300    pub combo_colour_skip: i32,
1301    pub hit_sound: FullHitSound<'a>,
1302    pub kind: HitObjectKind,
1303}
1304
1305impl<'a> HitObject<'a> {
1306    pub fn flags(&self) -> HitObjectFlags {
1307        let mut ret = match self.kind {
1308            HitObjectKind::Circle => HitObjectFlags::CIRCLE,
1309            HitObjectKind::Slider { .. } => HitObjectFlags::SLIDER,
1310            HitObjectKind::Spinner { .. } => HitObjectFlags::SPINNER,
1311            HitObjectKind::HoldNote { .. } => HitObjectFlags::HOLD_NOTE,
1312        };
1313        if self.combo_start {
1314            ret |= HitObjectFlags::COMBO_START;
1315        }
1316        ret |= HitObjectFlags::COMBO_COLOUR_OFFSET_MASK
1317            & HitObjectFlags::from_bits_retain(self.combo_colour_skip << 4);
1318        ret
1319    }
1320}
1321
1322#[derive(Debug, Error)]
1323pub enum ReadError {
1324    #[error("{0}")]
1325    Io(
1326        #[from]
1327        #[source]
1328        io::Error,
1329    ),
1330    #[error("{0}")]
1331    Parse(
1332        #[from]
1333        #[source]
1334        ParseError,
1335    ),
1336}
1337
1338impl<'a> BeatmapSection<'a> for () {
1339    fn consume_line(
1340        &mut self,
1341        _ctx: &Context,
1342        _line: impl StaticCow<'a>,
1343    ) -> Result<Option<Section>, ParseError> {
1344        Ok(None)
1345    }
1346}
1347
1348#[derive(BeatmapEnum, Copy, Clone, Debug, PartialEq, Eq, Hash)]
1349pub enum Section {
1350    General,
1351    Colours,
1352    Editor,
1353    Metadata,
1354    TimingPoints,
1355    Events,
1356    HitObjects,
1357    Difficulty,
1358    Variables,
1359}
1360
1361#[derive(Clone, Debug)]
1362pub struct Beatmap<'a> {
1363    pub context: Context,
1364    pub general: General<'a>,
1365    pub colours: Colours<'a>,
1366    pub editor: Editor,
1367    pub metadata: Metadata<'a>,
1368    pub timing_points: Vec<TimingPoint>,
1369    pub events: Events<'a>,
1370    pub hit_objects: Vec<HitObject<'a>>,
1371    pub difficulty: Difficulty,
1372    pub variables: Variables<'a>,
1373}
1374
1375impl<'a> Default for Beatmap<'a> {
1376    fn default() -> Self {
1377        Self::default_with_context(Context {
1378            version: Self::DEFAULT_VERSION,
1379        })
1380    }
1381}
1382
1383impl<'a> Beatmap<'a> {
1384    const DEFAULT_VERSION: i32 = 14;
1385
1386    fn default_with_context(ctx: Context) -> Self {
1387        Self {
1388            general: General::default_with_context(&ctx),
1389            colours: Colours::default_with_context(&ctx),
1390            editor: Editor::default_with_context(&ctx),
1391            metadata: Metadata::default_with_context(&ctx),
1392            timing_points: vec![],
1393            events: Events::default_with_context(&ctx),
1394            hit_objects: vec![],
1395            difficulty: Difficulty::default_with_context(&ctx),
1396            variables: Variables::default_with_context(&ctx),
1397            context: ctx,
1398        }
1399    }
1400}
1401
1402#[derive(Copy, Clone, Debug, PartialEq, Eq)]
1403pub struct Span {
1404    pub start: usize,
1405    pub end: usize,
1406}
1407
1408impl Span {
1409    pub fn new(start: usize, end: usize) -> Self {
1410        Self { start, end }
1411    }
1412    pub fn into_range(self) -> std::ops::Range<usize> {
1413        self.start..self.end
1414    }
1415}
1416
1417impl Beatmap<'static> {
1418    pub fn parse_file(file: impl io::Read + io::Seek) -> Result<Self, ReadError> {
1419        let mut file = BufReader::new(file);
1420        let mut line_buf = String::new();
1421        let mut pos = 0;
1422        let mut next_pos = pos + file.read_line(&mut line_buf)?;
1423        if next_pos == pos {
1424            return Err(ReadError::Io(io::Error::new(
1425                io::ErrorKind::UnexpectedEof,
1426                "unexpected end of file",
1427            )));
1428        }
1429        let mut ctx = Context {
1430            version: Self::DEFAULT_VERSION,
1431        };
1432        let version = if line_buf.starts_with("osu file format")
1433            || line_buf.starts_with("\u{FEFF}osu file format")
1434        {
1435            let line = line_buf.trim_end_matches(|x| matches!(x, '\n' | '\r'));
1436            let line = Lended(line, Span::new(pos, pos + line.len()));
1437            let version = line.split('v').last().unwrap();
1438            i32::parse_field("version", &ctx, version)?
1439        } else {
1440            println!("defaulting {line_buf}");
1441            Self::DEFAULT_VERSION
1442        };
1443        ctx.version = version;
1444        let mut ret = Self::default_with_context(ctx);
1445        let mut section = None::<Section>;
1446        // Events have to be processed last
1447        let mut events_pos = None::<u64>;
1448        loop {
1449            let line = line_buf.trim_end_matches(|x| matches!(x, '\n' | '\r'));
1450            let mut skip = line.is_empty() || line.starts_with("//");
1451            let mut eof = false;
1452            if !skip
1453                && section != Some(Section::HitObjects)
1454                && !line.contains(':')
1455                && line.starts_with('[')
1456            {
1457                if let Ok(x) = line.trim_matches(|x| x == '[' || x == ']').parse() {
1458                    match (section, x) {
1459                        (Some(old), new) if old == new => {}
1460                        (Some(Section::Events), _) => eof = true,
1461                        (_, Section::Events) => {
1462                            events_pos = Some(pos as u64);
1463                            section = None;
1464                        }
1465                        (_, x) => section = Some(x),
1466                    };
1467                    skip = true;
1468                }
1469            }
1470
1471            if !skip {
1472                let line = Lended(line, Span::new(pos, pos + line.len()));
1473
1474                let mut current = section;
1475                while let Some(section) = current {
1476                    current = match section {
1477                        Section::General => ret.general.consume_line(&ret.context, line),
1478                        Section::Colours => ret.colours.consume_line(&ret.context, line),
1479                        Section::Editor => ret.editor.consume_line(&ret.context, line),
1480                        Section::Metadata => ret.metadata.consume_line(&ret.context, line),
1481                        Section::TimingPoints => ret.timing_points.consume_line(&ret.context, line),
1482                        Section::Events => {
1483                            if ret.variables.variables.is_empty() {
1484                                ret.events.consume_line(&ret.context, line)
1485                            } else {
1486                                let mut line = line.as_ref().to_owned();
1487                                for (var, text) in &ret.variables.variables {
1488                                    line = line.replace(&("$".to_owned() + var), text);
1489                                }
1490                                ret.events.consume_line(
1491                                    &ret.context,
1492                                    Lended(&line, Span::new(pos, pos + line.len())),
1493                                )
1494                            }
1495                        }
1496                        Section::HitObjects => ret.hit_objects.consume_line(&ret.context, line),
1497                        Section::Difficulty => ret.difficulty.consume_line(&ret.context, line),
1498                        Section::Variables => ret.variables.consume_line(&ret.context, line),
1499                    }?;
1500                }
1501            }
1502
1503            line_buf.clear();
1504            pos = next_pos;
1505            next_pos = pos + file.read_line(&mut line_buf)?;
1506            if next_pos == pos {
1507                eof = true;
1508            }
1509            if eof {
1510                if let Some(pos) = events_pos.take() {
1511                    file.seek(io::SeekFrom::Start(pos))?;
1512                    section = Some(Section::Events);
1513                } else {
1514                    break;
1515                }
1516            }
1517        }
1518        Ok(ret)
1519    }
1520}
1521
1522impl<'a> Beatmap<'a> {
1523    pub fn parse_str(data: &'a str) -> Result<Self, ParseError> {
1524        let mut pos = 0;
1525        let mut next_pos = memchr::memchr(b'\n', data.as_bytes())
1526            .map(|x| x + pos + 1)
1527            .unwrap_or_else(|| data.len());
1528        let mut ctx = Context {
1529            version: Self::DEFAULT_VERSION,
1530        };
1531        let version = if data[..next_pos].starts_with("osu file format") {
1532            let line = data[..next_pos].trim_end_matches(|x| matches!(x, '\n' | '\r'));
1533            let line = Borrowed(line, Span::new(pos, pos + line.len()));
1534            let version = line.split('v').last().unwrap();
1535            i32::parse_field("version", &ctx, version)?
1536        } else {
1537            Self::DEFAULT_VERSION
1538        };
1539        ctx.version = version;
1540        let mut ret = Self::default_with_context(ctx);
1541        let mut section = None::<Section>;
1542        // Events have to be processed last
1543        let mut events_pos = None::<(usize, usize)>;
1544        loop {
1545            let line = data[pos..next_pos].trim_end_matches(|x| matches!(x, '\n' | '\r'));
1546            let mut skip = line.is_empty() || line.starts_with("//");
1547            let mut eof = false;
1548            if !skip
1549                && section != Some(Section::HitObjects)
1550                && !line.contains(':')
1551                && line.starts_with('[')
1552            {
1553                if let Ok(x) = line.trim_matches(|x| x == '[' || x == ']').parse() {
1554                    match (section, x) {
1555                        (Some(old), new) if old == new => {}
1556                        (Some(Section::Events), _) => eof = true,
1557                        (_, Section::Events) => {
1558                            events_pos = Some((pos, next_pos));
1559                            section = None;
1560                        }
1561                        (_, x) => section = Some(x),
1562                    };
1563                    skip = true;
1564                }
1565            }
1566
1567            if !skip {
1568                let line = Borrowed(line, Span::new(pos, pos + line.len()));
1569
1570                let mut current = section;
1571                while let Some(section) = current {
1572                    current = match section {
1573                        Section::General => ret.general.consume_line(&ret.context, line),
1574                        Section::Colours => ret.colours.consume_line(&ret.context, line),
1575                        Section::Editor => ret.editor.consume_line(&ret.context, line),
1576                        Section::Metadata => ret.metadata.consume_line(&ret.context, line),
1577                        Section::TimingPoints => ret.timing_points.consume_line(&ret.context, line),
1578                        Section::Events => {
1579                            if ret.variables.variables.is_empty() {
1580                                ret.events.consume_line(&ret.context, line)
1581                            } else {
1582                                let mut line = line.as_ref().to_owned();
1583                                for (var, text) in &ret.variables.variables {
1584                                    line = line.replace(&("$".to_owned() + var), text);
1585                                }
1586                                ret.events.consume_line(
1587                                    &ret.context,
1588                                    Lended(&line, Span::new(pos, pos + line.len())),
1589                                )
1590                            }
1591                        }
1592                        Section::HitObjects => ret.hit_objects.consume_line(&ret.context, line),
1593                        Section::Difficulty => ret.difficulty.consume_line(&ret.context, line),
1594                        Section::Variables => ret.variables.consume_line(&ret.context, line),
1595                    }?;
1596                }
1597            }
1598
1599            pos = next_pos;
1600            next_pos = memchr::memchr(b'\n', data[pos..].as_bytes())
1601                .map(|x| x + pos + 1)
1602                .unwrap_or_else(|| data.len());
1603            if next_pos == pos {
1604                eof = true;
1605            }
1606            if eof {
1607                if let Some((pos1, next_pos1)) = events_pos.take() {
1608                    pos = pos1;
1609                    next_pos = next_pos1;
1610                    section = Some(Section::Events);
1611                } else {
1612                    break;
1613                }
1614            }
1615        }
1616        Ok(ret)
1617    }
1618    /// Version-specific behavior is preserved on a best-effort basis (there isn't a particular set
1619    /// of rules that could be followed in general)
1620    pub fn serialize(&self, out: impl io::Write) -> io::Result<()> {
1621        let mut out = io::BufWriter::new(out);
1622        write!(
1623            out,
1624            "osu file format v{}\r\n\
1625            \r\n\
1626            [General]\r\n\
1627            AudioFilename: {}\r\n",
1628            self.context.version, self.general.audio_filename
1629        )?;
1630        if self.context.version > 3 || self.general.audio_lead_in != 0 {
1631            write!(out, "AudioLeadIn: {}\r\n", self.general.audio_lead_in)?;
1632        }
1633        if !self.general.audio_hash.is_empty() {
1634            write!(out, "AudioHash: {}\r\n", self.general.audio_hash)?;
1635        }
1636        write!(out, "PreviewTime: {}\r\n", self.general.preview_time)?;
1637        if self.context.version > 3 || !matches!(self.general.countdown, Countdown::Normal) {
1638            write!(out, "Countdown: {}\r\n", self.general.countdown as i32)?;
1639        }
1640        write!(out, "SampleSet: {}\r\n", self.general.sample_set)?;
1641        // actually added mid-version 5
1642        if self.context.version > 4 {
1643            write!(
1644                out,
1645                "StackLeniency: {}\r\n\
1646                Mode: {}\r\n\
1647                LetterboxInBreaks: {}\r\n",
1648                self.general.stack_leniency,
1649                self.general.mode as i32,
1650                u8::from(self.general.letterbox_in_breaks),
1651            )?;
1652        }
1653
1654        if !self.general.story_fire_in_front {
1655            out.write_all(b"StoryFireInFront: 0\r\n")?;
1656        }
1657        if self.general.use_skin_sprites {
1658            out.write_all(b"UseSkinSprites: 1\r\n")?;
1659        }
1660        if self.general.always_show_playfield {
1661            out.write_all(b"AlwaysShowPlayfield: 1\r\n")?;
1662        }
1663        if self.general.overlay_position != OverlayPosition::NoChange {
1664            write!(
1665                out,
1666                "OverlayPosition: {}\r\n",
1667                self.general.overlay_position as i32
1668            )?;
1669        }
1670        if !self.general.skin_preference.is_empty() {
1671            write!(out, "SkinPreference:{}\r\n", self.general.skin_preference)?;
1672        }
1673        if self.general.epilepsy_warning {
1674            out.write_all(b"EpilepsyWarning: 1\r\n")?;
1675        }
1676        if self.general.countdown_offset > 0 {
1677            write!(
1678                out,
1679                "CountdownOffset: {}\r\n",
1680                self.general.countdown_offset
1681            )?;
1682        }
1683        if self.general.mode == GameMode::Mania {
1684            write!(
1685                out,
1686                "SpecialStyle: {}\r\n",
1687                u8::from(self.general.special_style)
1688            )?;
1689        }
1690        if self.context.version > 11 || self.general.widescreen_storyboard {
1691            write!(
1692                out,
1693                "WidescreenStoryboard: {}\r\n",
1694                u8::from(self.general.widescreen_storyboard)
1695            )?;
1696        }
1697        if self.general.samples_match_playback_rate {
1698            out.write_all(b"SamplesMatchPlaybackRate: 1\r\n")?;
1699        }
1700        if self.context.version > 5 {
1701            out.write_all(b"\r\n[Editor]\r\n")?;
1702
1703            if !self.editor.bookmarks.is_empty() {
1704                out.write_all(b"Bookmarks: ")?;
1705                let mut first = true;
1706                for bookmark in &self.editor.bookmarks {
1707                    if first {
1708                        first = false;
1709                    } else {
1710                        out.write_all(b",")?;
1711                    }
1712                    write!(out, "{bookmark}")?;
1713                }
1714                out.write_all(b"\r\n")?;
1715            }
1716
1717            write!(
1718                out,
1719                "DistanceSpacing: {}\r\n\
1720                BeatDivisor: {}\r\n\
1721                GridSize: {}\r\n",
1722                self.editor.distance_spacing, self.editor.beat_divisor, self.editor.grid_size,
1723            )?;
1724            if self.context.version > 12 || self.editor.timeline_zoom != 1.0 {
1725                write!(out, "TimelineZoom: {}\r\n", self.editor.timeline_zoom)?;
1726            }
1727            write!(out, "\r\n")?;
1728        } else {
1729            if !self.editor.bookmarks.is_empty() {
1730                out.write_all(b"EditorBookmarks: ")?;
1731                let mut first = true;
1732                for bookmark in &self.editor.bookmarks {
1733                    if first {
1734                        first = false;
1735                    } else {
1736                        out.write_all(b",")?;
1737                    }
1738                    write!(out, "{bookmark}")?;
1739                }
1740                out.write_all(b"\r\n")?;
1741            }
1742            if self.editor.distance_spacing != 0.8 {
1743                write!(
1744                    out,
1745                    "EditorDistanceSpacing: {}\r\n",
1746                    self.editor.distance_spacing
1747                )?;
1748            }
1749            write!(out, "\r\n")?;
1750        }
1751        write!(
1752            out,
1753            "[Metadata]\r\n\
1754            Title:{}\r\n",
1755            self.metadata.title
1756        )?;
1757        if !self.metadata.title_unicode.is_empty() || self.context.version > 9 {
1758            write!(out, "TitleUnicode:{}\r\n", self.metadata.title_unicode)?;
1759        }
1760        write!(out, "Artist:{}\r\n", self.metadata.artist)?;
1761        if !self.metadata.artist_unicode.is_empty() || self.context.version > 9 {
1762            write!(out, "ArtistUnicode:{}\r\n", self.metadata.artist_unicode)?;
1763        }
1764        write!(out, "Creator:{}\r\n", self.metadata.creator)?;
1765        write!(out, "Version:{}\r\n", self.metadata.version)?;
1766        // actually added mid-version 5
1767        if !self.metadata.source.is_empty() || self.context.version > 4 {
1768            write!(out, "Source:{}\r\n", self.metadata.source)?;
1769        }
1770        // actually added mid-version 5
1771        if !self.metadata.tags.is_empty() || self.context.version > 4 {
1772            write!(out, "Tags:{}\r\n", self.metadata.tags)?;
1773        }
1774        if self.metadata.beatmap_id != 0 || self.context.version > 9 {
1775            write!(out, "BeatmapID:{}\r\n", self.metadata.beatmap_id)?;
1776        }
1777        if self.metadata.beatmap_set_id != -1 || self.context.version > 9 {
1778            write!(out, "BeatmapSetID:{}\r\n", self.metadata.beatmap_set_id)?;
1779        }
1780        write!(
1781            out,
1782            "\r\n\
1783            [Difficulty]\r\n\
1784            HPDrainRate:{}\r\n\
1785            CircleSize:{}\r\n\
1786            OverallDifficulty:{}\r\n",
1787            self.difficulty.hp_drain_rate,
1788            self.difficulty.circle_size,
1789            self.difficulty.overall_difficulty,
1790        )?;
1791        if self.difficulty.approach_rate != 5.0 || self.context.version > 7 {
1792            write!(out, "ApproachRate:{}\r\n", self.difficulty.approach_rate)?;
1793        }
1794        write!(
1795            out,
1796            "SliderMultiplier:{0}{1}\r\n\
1797            SliderTickRate:{0}{2}\r\n\
1798            \r\n\
1799            [Events]\r\n",
1800            if self.context.version > 3 { "" } else { " " },
1801            self.difficulty.slider_multiplier,
1802            self.difficulty.slider_tick_rate
1803        )?;
1804        if self.context.version > 3 {
1805            write!(out, "//Background and Video events\r\n")?;
1806        }
1807
1808        for event in self.events.events.iter().filter(|x| {
1809            matches!(
1810                x.object,
1811                EventObject::Background { .. } | EventObject::Video { .. }
1812            )
1813        }) {
1814            match &event.object {
1815                EventObject::Background {
1816                    filename,
1817                    time,
1818                    x,
1819                    y,
1820                } => {
1821                    if self.context.version > 11 || *x != 0 || *y != 0 {
1822                        write!(
1823                            out,
1824                            "0,{},\"{filename}\",{x},{y}\r\n",
1825                            time.serialize(self.context.version)
1826                        )?;
1827                    } else {
1828                        write!(
1829                            out,
1830                            "0,{},\"{filename}\"\r\n",
1831                            time.serialize(self.context.version)
1832                        )?;
1833                    }
1834                }
1835                EventObject::Video {
1836                    filename,
1837                    time,
1838                    x,
1839                    y,
1840                } => {
1841                    let tag = if self.context.version > 5 {
1842                        "Video"
1843                    } else {
1844                        "1"
1845                    };
1846                    if *x == 0 && *y == 0 {
1847                        write!(
1848                            out,
1849                            "{tag},{},\"{filename}\"\r\n",
1850                            time.serialize(self.context.version)
1851                        )?;
1852                    } else {
1853                        write!(
1854                            out,
1855                            "{tag},{},\"{filename}\",{x},{y}\r\n",
1856                            time.serialize(self.context.version)
1857                        )?;
1858                    }
1859                }
1860                _ => unreachable!(),
1861            }
1862        }
1863        if self.context.version > 3 {
1864            write!(out, "//Break Periods\r\n")?;
1865        }
1866        for event in self
1867            .events
1868            .events
1869            .iter()
1870            .filter(|x| matches!(x.object, EventObject::Break { .. }))
1871        {
1872            match &event.object {
1873                EventObject::Break { time, end_time } => {
1874                    write!(
1875                        out,
1876                        "2,{},{}\r\n",
1877                        time.serialize(self.context.version),
1878                        end_time.serialize(self.context.version)
1879                    )?;
1880                }
1881                _ => unreachable!(),
1882            }
1883        }
1884        for layer in [
1885            EventLayer::Background,
1886            EventLayer::Fail,
1887            EventLayer::Pass,
1888            EventLayer::Foreground,
1889            EventLayer::Overlay,
1890        ] {
1891            if self.context.version > 3 {
1892                out.write_all(match layer {
1893                    EventLayer::Background => b"//Storyboard Layer 0 (Background)\r\n",
1894                    // actually changed mid-version 5
1895                    EventLayer::Fail if self.context.version > 5 => {
1896                        b"//Storyboard Layer 1 (Fail)\r\n"
1897                    }
1898                    EventLayer::Pass if self.context.version > 5 => {
1899                        b"//Storyboard Layer 2 (Pass)\r\n"
1900                    }
1901                    EventLayer::Fail => b"//Storyboard Layer 1 (Failing)\r\n",
1902                    EventLayer::Pass => b"//Storyboard Layer 2 (Passing)\r\n",
1903                    EventLayer::Foreground => b"//Storyboard Layer 3 (Foreground)\r\n",
1904                    EventLayer::Overlay if self.context.version > 12 => {
1905                        b"//Storyboard Layer 4 (Overlay)\r\n"
1906                    }
1907                    EventLayer::Overlay => b"",
1908                })?;
1909            }
1910            for event in self.events.events.iter().filter(|x| {
1911                matches!(
1912                    x.object,
1913                    EventObject::Animation { layer: layer1, .. } | EventObject::Sprite { layer: layer1, .. } if layer == layer1
1914                )
1915            }) {
1916                match &event.object {
1917                    EventObject::Sprite {
1918                        filename,
1919                        x,
1920                        y,
1921                        origin,
1922                        layer,
1923                    } => {
1924                        write!(
1925                            out,
1926                            "4,{},{},\"{}\",{},{}\r\n",
1927                            *layer as i32, *origin as i32, filename, x, y,
1928                        )?;
1929                    }
1930                    EventObject::Animation {
1931                        filename,
1932                        x,
1933                        y,
1934                        origin,
1935                        layer,
1936                        frame_count,
1937                        frame_delay,
1938                        loop_type,
1939                    } => {
1940                        write!(
1941                            out,
1942                            "6,{},{},\"{}\",{},{},{},{}",
1943                            *layer as i32,
1944                            *origin as i32,
1945                            filename,
1946                            x,
1947                            y,
1948                            frame_count,
1949                            frame_delay,
1950                        )?;
1951                        if self.context.version > 5 || !matches!(loop_type, EventLoop::LoopForever) {
1952                            write!(out, ",{}", *loop_type as i32)?;
1953                        }
1954                        write!(out, "\r\n")?;
1955                    }
1956                    _ => unreachable!(),
1957                }
1958                for cmd in &event.commands {
1959                    match cmd {
1960                        EventCommandSequence::Basic(x) => {
1961                            write!(out, " ")?;
1962                            x.write(&self.context, &mut out)?;
1963                            write!(out, "\r\n")?;
1964                        }
1965                        EventCommandSequence::Loop(x, cmds) => {
1966                            write!(out, " L")?;
1967                            for x in x {
1968                                write!(out, ",{},{}", x.time.serialize(self.context.version), x.count)?;
1969                            }
1970                            write!(out, "\r\n")?;
1971                            for cmd in cmds {
1972                                write!(out, "  ")?;
1973                                cmd.write(&self.context, &mut out)?;
1974                                write!(out, "\r\n")?;
1975                            }
1976                        }
1977                        EventCommandSequence::Trigger(x, cmds) => {
1978                            write!(out, " T")?;
1979                            for x in x {
1980                                write!(out, ",{}", x.trigger)?;
1981                                if let Some((start, end)) = x.time_range {
1982                                    write!(out, ",{},{}", start.serialize(self.context.version), end.serialize(self.context.version))?;
1983                                    if let Some(group) = x.trigger_group {
1984                                        write!(out, ",{group}")?;
1985                                    }
1986                                }
1987                            }
1988                            write!(out, "\r\n")?;
1989                            for cmd in cmds {
1990                                write!(out, "  ")?;
1991                                cmd.write(&self.context, &mut out)?;
1992                                write!(out, "\r\n")?;
1993                            }
1994                        }
1995                    }
1996                }
1997            }
1998        }
1999        if self.context.version > 3 {
2000            write!(out, "//Storyboard Sound Samples\r\n")?;
2001        }
2002        for event in self
2003            .events
2004            .events
2005            .iter()
2006            .filter(|x| matches!(x.object, EventObject::Sample { .. }))
2007        {
2008            match &event.object {
2009                EventObject::Sample {
2010                    filename,
2011                    time,
2012                    volume,
2013                    layer,
2014                } => {
2015                    write!(
2016                        out,
2017                        "5,{},{},\"{}\"",
2018                        time.serialize(self.context.version),
2019                        *layer as i32,
2020                        filename
2021                    )?;
2022                    if self.context.version > 5 || *volume != 100. {
2023                        write!(out, ",{volume}")?;
2024                    }
2025                    write!(out, "\r\n")?;
2026                }
2027                _ => unreachable!(),
2028            }
2029        }
2030        if self
2031            .events
2032            .events
2033            .iter()
2034            .any(|x| matches!(x.object, EventObject::Colour { .. }))
2035        {
2036            if self.context.version > 3 {
2037                write!(out, "//Background Colour Transformations\r\n")?;
2038            }
2039            for event in self
2040                .events
2041                .events
2042                .iter()
2043                .filter(|x| matches!(x.object, EventObject::Colour { .. }))
2044            {
2045                match &event.object {
2046                    EventObject::Colour { time, colour } => {
2047                        write!(
2048                            out,
2049                            "3,{},{},{},{}\r\n",
2050                            time.serialize(self.context.version),
2051                            colour.0,
2052                            colour.1,
2053                            colour.2
2054                        )?;
2055                    }
2056                    _ => unreachable!(),
2057                }
2058            }
2059        }
2060        write!(out, "\r\n")?;
2061
2062        if !self.timing_points.is_empty() {
2063            write!(out, "[TimingPoints]\r\n")?;
2064            for timing_point in &self.timing_points {
2065                if timing_point.beat_length != 0.0 {
2066                    write!(
2067                        out,
2068                        "{},{}",
2069                        timing_point.offset.serialize(self.context.version),
2070                        timing_point.beat_length
2071                    )?;
2072                    if self.context.version > 3
2073                        || !timing_point.changes_timing
2074                        || !timing_point.flags.is_empty()
2075                        || timing_point.time_signature != 4
2076                        || timing_point
2077                            .sample_set
2078                            .filter(|x| *x != self.general.sample_set)
2079                            .is_some()
2080                        || timing_point.custom_sample_index != 0
2081                        || timing_point.sample_volume != 100
2082                    {
2083                        write!(
2084                            out,
2085                            ",{},{},{},{}",
2086                            timing_point.time_signature,
2087                            timing_point.sample_set.unwrap_or(self.general.sample_set) as i32,
2088                            timing_point.custom_sample_index,
2089                            timing_point.sample_volume
2090                        )?;
2091                    }
2092                    // actually added mid-version 5 (first one, then the other)
2093                    if self.context.version > 4
2094                        || !timing_point.changes_timing
2095                        || !timing_point.flags.is_empty()
2096                    {
2097                        write!(
2098                            out,
2099                            ",{},{}\r\n",
2100                            u8::from(timing_point.changes_timing),
2101                            timing_point.flags.bits()
2102                        )?;
2103                    } else {
2104                        write!(out, "\r\n")?;
2105                    }
2106                }
2107            }
2108            write!(out, "\r\n")?;
2109        }
2110
2111        if self.context.version > 8 {
2112            write!(out, "\r\n")?;
2113        }
2114
2115        if !self.colours.colours.is_empty() {
2116            write!(out, "[Colours]\r\n")?;
2117            for (k, (r, g, b)) in &self.colours.colours {
2118                write!(out, "{k} : {r},{g},{b}\r\n")?;
2119            }
2120            write!(out, "\r\n")?;
2121        }
2122
2123        write!(out, "[HitObjects]\r\n")?;
2124
2125        for h in &self.hit_objects {
2126            write!(
2127                out,
2128                "{},{},{},{},{}",
2129                h.x,
2130                h.y,
2131                h.time,
2132                h.flags().bits(),
2133                h.hit_sound.hit_sound.sounds.bits()
2134            )?;
2135            let extra_sep = match &h.kind {
2136                HitObjectKind::Circle => Some(','),
2137                HitObjectKind::Slider {
2138                    kind,
2139                    curve_points,
2140                    length,
2141                    edge_sounds,
2142                    slide_count,
2143                } => {
2144                    write!(out, ",{}", char::from(*kind))?;
2145                    for (x, y) in curve_points {
2146                        write!(out, "|{x}:{y}")?;
2147                    }
2148                    if edge_sounds.is_empty() {
2149                        write!(out, ",{slide_count},{length}")?;
2150                        None
2151                    } else {
2152                        write!(out, ",{slide_count},{length},")?;
2153                        let mut first = true;
2154                        for sound in edge_sounds {
2155                            if first {
2156                                write!(out, "{}", sound.sounds.bits())?;
2157                                first = false;
2158                            } else {
2159                                write!(out, "|{}", sound.sounds.bits())?;
2160                            }
2161                        }
2162                        if self.context.version > 9
2163                            || edge_sounds.iter().any(|x| {
2164                                !matches!(x.sample_set, SampleSet::None)
2165                                    || !matches!(x.addition_set, SampleSet::None)
2166                            })
2167                        {
2168                            write!(out, ",")?;
2169                            first = true;
2170                            for sound in edge_sounds {
2171                                if first {
2172                                    write!(
2173                                        out,
2174                                        "{}:{}",
2175                                        sound.sample_set as i32, sound.addition_set as i32
2176                                    )?;
2177                                    first = false;
2178                                } else {
2179                                    write!(
2180                                        out,
2181                                        "|{}:{}",
2182                                        sound.sample_set as i32, sound.addition_set as i32
2183                                    )?;
2184                                }
2185                            }
2186                        }
2187                        Some(',')
2188                    }
2189                }
2190                HitObjectKind::Spinner { end_time } => {
2191                    write!(out, ",{end_time}")?;
2192                    Some(',')
2193                }
2194                HitObjectKind::HoldNote { end_time } => {
2195                    write!(out, ",{end_time}")?;
2196                    Some(':')
2197                }
2198            };
2199            if let Some(ch) = extra_sep.filter(|_| {
2200                if self.context.version > 9 {
2201                    true
2202                } else {
2203                    !h.hit_sound.sample_file.is_empty()
2204                        || !matches!(h.hit_sound.hit_sound.sample_set, SampleSet::None)
2205                        || !matches!(h.hit_sound.hit_sound.addition_set, SampleSet::None)
2206                        || h.hit_sound.custom_sample_index != 0
2207                        || h.hit_sound.volume != 0
2208                }
2209            }) {
2210                if self.context.version > 11
2211                    || !h.hit_sound.sample_file.is_empty()
2212                    || h.hit_sound.volume != 0
2213                {
2214                    write!(
2215                        out,
2216                        "{ch}{}:{}:{}:{}:{}\r\n",
2217                        h.hit_sound.hit_sound.sample_set as i32,
2218                        h.hit_sound.hit_sound.addition_set as i32,
2219                        h.hit_sound.custom_sample_index,
2220                        h.hit_sound.volume,
2221                        h.hit_sound.sample_file
2222                    )?;
2223                } else {
2224                    write!(
2225                        out,
2226                        "{ch}{}:{}:{}\r\n",
2227                        h.hit_sound.hit_sound.sample_set as i32,
2228                        h.hit_sound.hit_sound.addition_set as i32,
2229                        h.hit_sound.custom_sample_index,
2230                    )?;
2231                }
2232            } else if self.context.version < 4 && matches!(h.kind, HitObjectKind::Circle) {
2233                write!(out, ",\r\n")?;
2234            } else {
2235                write!(out, "\r\n")?;
2236            }
2237        }
2238        Ok(())
2239    }
2240}