2.4.0 • Published 8 months ago

flat-embed v2.4.0

Weekly downloads
6
License
Apache-2.0
Repository
github
Last release
8 months ago

Flat Sheet Music Embed Client

Build Status NPM Version

Flat's Sheet Music Embed

Use this JavaScript Client to interact and receive events from our Sheet Music Embed.

If you have any feedback or questions regarding this product, please feel free to contact our developers' support.

Installation

You can install our ES/TypeScript Embed Client using npm, pnpm, or yarn:

npm install flat-embed
pnpm add flat-embed
yarn add flat-embed

Or use the latest UMD version hosted on our CDN:

<script src="https://prod.flat-cdn.com/embed-js/v2.4.0/embed.min.js"></script>

Getting Started

The simplest way to get started is to pass a DOM element to our embed that will be used as container. By default, this one will completely fit its container:

<div id="embed-container"></div>
<script src="https://prod.flat-cdn.com/embed-js/v2.4.0/embed.min.js"></script>
<script>
  var container = document.getElementById('embed-container');
  var embed = new Flat.Embed(container, {
    score: '<score-id-you-want-to-load>',
    embedParams: {
      appId: '<your-app-id>',
      controlsPosition: 'bottom',
    },
  });
</script>

Otherwise, if you are using our embed in an ES6 project:

import Embed from 'flat-embed';

const container = document.getElementById('embed-container');
const embed = new Embed(container, {
  score: '<score-id-you-want-to-load>',
  embedParams: {
    appId: '<your-app-id>',
    controlsPosition: 'bottom',
  },
});

>> Open this demo in JSFiddle

✨ Demos

Some demos of this Embed API are available in a dedicated repository: https://github.com/FlatIO/embed-examples.

App ID

Our Embed JS API requires an App ID (appId) to use it:

  • In development, you can try and use this client without limits on localhost/*.localhost.
  • To use it in production or with a custom domain, create a new app on our website, then go to the Embed > Settings and add your domains to the whitelist. Your app ID will also be displayed on this page.

Unique users

By default, analytics and billing of unique users is done using the visitor IPs. To improve accuracy and avoid counting the same user multiple times, you can pass a unique identifier for the user using the embedParams.userId option.

This identifier must be a unique identifier for the user. For example, you can use the user ID of your application. Please don't use any personal information (e.g. email address).

import Embed from 'flat-embed';

const container = document.getElementById('embed-container');
const embed = new Embed(container, {
  score: '<score-id-you-want-to-load>',
  embedParams: {
    appId: '<your-app-id>',
    userId: '<your-end-user-id>',
  },
});

Embed construction

DOM element or existing iframe

When instantiating Flat.Embed, the first argument will always refer to a DOM element. It can take:

  • A DOM element (e.g. selected using document.getElementById('embed-container')).
  • The string identifier of the element (e.g. "embed-container").
  • An existing embed iframe element. In this case, this one will need to have our JS API loaded using the query string jsapi=true.

If you instance a different Flat.Embed for the same element, you will always get the same instance of the object.

Options and URL parameters

When instantiating Flat.Embed, you can pass options in the second parameter. To use the different methods available and events subscriptions, you will need to pass at least embedParams.appId.

OptionDescriptionValuesDefault
scoreThe score identifier that will load initiallyUnique score idblank
widthThe width of your embedA width of the embed100%
heightThe height of your embedA height of the embed100%
embedParamsObject containing the loading options for the embedAny URL parameters{}
lazyAdd a loading="lazy" attribute to the iframeA boolean to enable the lazy-loadingfalse

JavaScript API

Viewer API

You can call the methods using any Flat.Embed object. By default, the methods (except on and off) return a Promise that will be resolved once the method is called, the value is set or get:

var embed = new Flat.Embed('container');
embed
  .loadFlatScore('12234')
  .then(function () {
    console.log('Score loaded');
  })
  .catch(function (err) {
    console.log('Error', err);
  });

ready(): Promise<void, Error>

Promises resolved when the embed is loaded and the JavaScript API is ready to use. All the methods will implicitly use this method, so you don't have to worry about waiting for the loading before calling the different methods.

embed.ready().then(function () {
  // You can use the embed
});

on(event: string, callback: function): void

Add an event listener for the specified event. When receiving the event, the client will call the specified function with zero or one parameter depending on the event received.

embed.on('playbackPosition', function (position) {
  console.log(position);
});

off(event: string, callback?: function): void

Remove an event listener for the specified event. If no callback is specified, all the listeners for the event will be removed.

function positionChanged(position) {
  // Print position
  console.log(position);

  // You can remove the listener later (e.g. here, once the first event is received)
  embed.off('play', positionChanged);

  // Alternatively, you can remove all the listeners for the event:
  embed.off('play');
}

// Subscribe to the event
embed.on('positionChanged', positionChanged);

getEmbedConfig(): Promise<object, Error>

Fetch the global config of the embed. This will include the URL parameters, the editor config and the default config set by the embed.

embed.getEmbedConfig().then(function (config) {
  // The config of the embed
  console.log(config);
});

loadFlatScore(score: mixed): Promise<void, ApiError>

Load a score hosted on Flat using its identifier. For example to load https://flat.io/score/56ae21579a127715a02901a6-house-of-the-rising-sun, you can call:

embed
  .loadFlatScore('56ae21579a127715a02901a6')
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

If the score has a private sharing link (privateLink), you can pass an object with the sharingKey property:

embed
  .loadFlatScore({
    score: '5ce56f7c019fd41f5b17b72d',
    sharingKey:
      '3f70cc5ecf5e4248055bbe7502a9514cfe619c53b4e248144e470bb5f08c5ecf880cf3eda5679c6b19f646a98ec0bd06d892ee1fd6896e20de0365ed0a42fc00',
  })
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

loadMusicXML(score: mixed): Promise<void, Error>

Load a MusicXML score, compressed (MXL) or not (plain XML). The compressed files (.mxl) must be passed as ArrayBuffer, and the plain XML (.xml/.musicxml) as String.

Example to load a compressed MXL file:

// Loading any MXL file here, for example a file from a public Flat score
fetch('https://api.flat.io/v2/scores/56ae21579a127715a02901a6/revisions/last/mxl')
  .then(function (response) {
    return response.arrayBuffer();
  })
  .then(function (mxl) {
    // Got the compressed score as an `ArrayBuffer`, load it in the embed
    return embed.loadMusicXML(mxl);
  })
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

Example to load a plain XML file:

// Loading any plain XML file here, for a file example from a public Flat score
fetch('https://api.flat.io/v2/scores/56ae21579a127715a02901a6/revisions/last/xml')
  .then(function (response) {
    return response.text();
  })
  .then(function (mxl) {
    // Got the plain XML score as an `String`, load it in the embed
    return embed.loadMusicXML(mxl);
  })
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

loadMIDI(score: Uint8Array): Promise<void, Error>

Load a MIDI score, which must be passed as ArrayBuffer.

Example to load MIDI file:

// Loading any MIDI file here, for example a file from a public Flat score
fetch('https://api.flat.io/v2/scores/56ae21579a127715a02901a6/revisions/last/midi')
  .then(function (response) {
    return response.arrayBuffer();
  })
  .then(function (midi) {
    // Got the MIDI file as an `ArrayBuffer`, load it in the embed
    return embed.loadMIDI(midi);
  })
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

loadJSON(score: object): Promise<void, Error>

Load a score using Flat's JSON Format

fetch('https://api.flat.io/v2/scores/56ae21579a127715a02901a6/revisions/last/json')
  .then(function (response) {
    return response.json();
  })
  .then(function (json) {
    return embed.loadJSON(json);
  })
  .then(function () {
    // Score loaded in the embed
  })
  .catch(function (error) {
    // Unable to load the score
  });

getMusicXML(options?: object): Promise<string|Uint8Array, Error>

Convert the currently displayed score into a MusicXML file, compressed (.mxl) or not (.xml).

// Uncompressed MusicXML
embed.getMusicXML().then(function (xml) {
  // Plain XML file (string)
  console.log(xml);
});

Example: Retrieve the score as a compressed MusicXML, then convert it to a Blob and download it:

// Uncompressed MusicXML
embed.getMusicXML({ compressed: true }).then(function (buffer) {
  // Create a Blob from a compressed MusicXML file (Uint8Array)
  var blobUrl = window.URL.createObjectURL(
    new Blob([buffer], {
      type: 'application/vnd.recordare.musicxml+xml',
    }),
  );

  // Create a hidden link to download the blob
  var a = document.createElement('a');
  a.href = blobUrl;
  a.download = 'My Music Score.mxl';
  document.body.appendChild(a);
  a.style = 'display: none';
  a.click();
  a.remove();
});

getJSON(): object

Get the data of the score in the "Flat JSON" format (a MusicXML-like as a JavaScript object).

embed
  .getJSON()
  .then(function (data) {
    console.log(data);
  })
  .catch(function (error) {
    // Unable to get the data
  });

getPNG(options?: object): Promise<string|Uint8Array, Error>

Get the currently displayed score as a PNG file. This API method accepts the following options:

  • result: Choose how the PNG file is returned, either dataURL or Uint8Array. Default value is Uint8Array.
  • layout: The score can either exported as one horizontal system (track), or the first page (page). Default value is track
  • dpi: The dpi used to export the PNG, between 50 and 300. Default value is 150.
// PNG
embed.getPNG().then(function (png) {
  // PNG file as a Uint8Array
  console.log(png);
});
// PNG
embed
  .getPNG({
    result: 'dataURL',
    layout: 'layout',
    dpi: 300,
  })
  .then(function (png) {
    // 300 DPI PNG with the score as a page, returned as a DataURL
    console.log(png);
  });

getMIDI(): Promise<Uint8Array, Error>

Get the currently displayed score as a MIDI file

embed.getMIDI().then(function (midi) {
  // MIDI file as a Uint8Array
  console.log(midi);
});

getScoreMeta(): object

Get the score metadata of the hosted score. The object will have the same format that the one returned by our API GET /v2/scores/{score}.

embed
  .getScoreMeta()
  .then(function (metadata) {
    console.log(metadata);
  })
  .catch(function (error) {
    // Unable to get the metadata
  });

fullscreen(state: bool): Promise<void, Error>

Display the embed in fullscreen (state = true) or return to the regular display (state = false).

embed.fullscreen(true).then(function () {
  // The score is now displayed in fullscreen
});

play(): Promise<void, Error>

Load the playback and play the score.

embed.play().then(function () {
  // The score is playing
});

pause(): Promise<void, Error>

Pause the playback

embed.pause().then(function () {
  // The playback is paused
});

stop(): Promise<void, Error>

Stop the playback

embed.stop().then(function () {
  // The playback is stopped
});

mute(): Promise<void, Error>

Mute the playback

embed.mute().then(function () {
  // The playback is muted
});

getMasterVolume(): Promise<Number, Error>

Get the master volume

embed.getMasterVolume().then(function (volume) {
  // The volume value
  console.log(volume);
});

setMasterVolume({ volume: number }): Promise<void, Error>

Set the master volume (volume between 0 and 100)

embed.setMasterVolume({ volume: 50 }).then(function () {
  // The volume is set
});

getPartVolume({ partUuid: string }): Promise<Number, Error>

Get a part volume (partUuid can be retrieved with getParts)

embed.getPartVolume({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function (volume) {
  // The volume value
  console.log(volume);
});

setPartVolume({ partUuid: string, volume: number }): Promise<void, Error>

Set a part volume (volume between 0 and 100, partUuid can be retrieved with getParts)

embed
  .getPartVolume({
    partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c',
    volume: 50,
  })
  .then(function () {
    // The volume is set
  });

mutePart({ partUuid: string }): Promise<void, Error>

Mute a part

embed.mutePart({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function () {
  // The part is muted
});

unmutePart({ partUuid: string }): Promise<void, Error>

Unmute a part

embed.unmutePart({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function () {
  // The part is unmuted
});

setPartSoloMode({ partUuid: string }): Promise<void, Error>

Enable the solo mode for a part

embed.setPartSoloMode({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function () {
  // The part is now playing solo
});

unsetPartSoloMode({ partUuid: string }): Promise<void, Error>

Disable the solo mode for a part

embed.unsetPartSoloMode({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function () {
  // All the parts are now playing
});

getPartSoloMode({ partUuid: string }): Promise<Boolean, Error>

Get the state of the solo mode of a part (partUuid can be retrieved with getParts)

embed.getPartSoloMode({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function (isSolo) {
  // The solo state
  console.log(isSolo);
});

getPartReverb({ partUuid: string }): Promise<Number, Error>

Get a part reverberation (partUuid can be retrieved with getParts)

embed.getPartReverb({ partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c' }).then(function (reverb) {
  // The reverberation value
  console.log(reverb);
});

setPartReverb({ partUuid: string, reverberation: number }): Promise<void, Error>

Set a part reverberation (reverberation between 0 and 100, partUuid can be retrieved with getParts)

embed
  .setPartReverb({
    partUuid: 'c86be847-a7a1-54fb-44fc-a6564d7eb75c',
    reverberation: 50,
  })
  .then(function () {
    // The reverberation is set
  });

getMetronomeMode(): Promise<Number, Error>

Get the value of the metronome count-in mode.

Mode is defined as:

const METRONOME_MODES = {
  COUNT_IN: 0, // Count in at the beginning of the playback
  CONTINUOUS: 1, // Always on
  DISABLED: 2,
};
embed.getMetronomeMode().then(function (metronomeMode) {
  assert.strictEqual(metronomeMode, METRONOME_MODES.COUNT_IN);
  assert.strictEqual(metronomeMode, 0);
});

setMetronomeMode(number): Promise<void, Error>

Set the metronome count-in mode.

embed.setMetronomeMode(1).then(function () {
  // The metronome mode is set
});

getPlaybackSpeed(): Promise<Number, Error>

Get the playback speed.

embed.getPlaybackSpeed().then(function (playbackSpeed) {
  assert.strictEqual(playbackSpeed, 1);
});

setPlaybackSpeed(number): Promise<void, Error>

Set the playback speed. Normal value is 1. The value can be between 0.2 and 2.

embed.setPlaybackSpeed(1.5).then(function () {
  // The playback speed is set
});

scrollToCursor(): Promise<void, Error>

For the display to scroll at the position of the cursor in the score

embed.scrollToCursor().then(function () {
  // The scrolling is done asynchronously, it is not guarenteed that it will be completed here.
});

setTrack(object): Promise<void, Error>

Configure a new video or audio track for the current embedded score. This method uses the same system as our audio tracks manager in our editor app, but allows you to dynamically configure any track or connect an external player to an embedded score.

This method takes the following options:

  • id (required): An unique identifier for the configuration, that can be used later for the method useTrack.
  • type (required): The type of track to configure, using one of the following types: youtube, soundcloud, vimeo, audio, external
  • url (required for soundcloud and audio): the URL of the Souncloud or the audio file to load
  • mediaId (required for youtube, vimeo): the video identifier to embed
  • totalTime (required for external): the total time of the media played
  • synchronizationPoints (required): the list of synchronization points to use. Each point can have the following information:
    • type: measure or end of the score
    • time in seconds, the position of the synchronization point
    • location.measureIdx: for measure point, the index of the score where the point is located.

Once a track is configured, you must call the method useTrack to enable it.

Two implementation examples are available in our example repository:

The synchronizationPoints also use the same formats as our REST API. If you previously configured some tracks using our web editor, you can fetch their configuration using our REST API.

embed
  .setTrack({
    id: 'yt-cucaracha',
    type: 'youtube',
    mediaId: 'jp9vFhyhNd8',
    synchronizationPoints: [
      { type: 'measure', time: 0, location: { measureIdx: 0 } },
      { type: 'end', time: 19 },
    ],
  })
  .then(function () {
    // The track is configured
  });

useTrack({ id }): Promise<void, Error>

Enable a previously configured audio or video track. The id can be an identifier chosen from a track configured using setTrack or from Flat's REST API.

embed
  .useTrack({
    id: 'yt-cucaracha',
  })
  .then(function () {
    // The track is enabled
  });

seekTrackTo({ time }): Promise<void, Error>

Seek the current played track to a provided time, in seconds.

embed.useTrack({
  time: 5,
});

print(): Promise<void, Error>

Print the score

embed
  .print()
  .then(function () {
    // The score is being printed (the browser opens the print prompt)
  })
  .catch(function (error) {
    // Error when printing
  });

getZoom(): Promise<number, Error>

Get the current zoom ration applied for the score (between 0.5 and 3).

embed.getZoom().then(function (zoom) {
  // The zoom value
  console.log(zoom);
});

setZoom(number): Promise<number, Error>

Set a new zoom ration for the display (between 0.5 and 3).

embed.setZoom(2).then(function (zoom) {
  // The zoom value applied
  console.log(zoom);
});

getAutoZoom(): Promise(<boolean, Error>)

Get the state of the auto-zoom mode. Auto-zoom is enabled by default for page mode or when the URL parameter zoom is set to auto.

This getter will return true if the auto-zoom is enabled, and false when disabled. Setting a zoom value with setZoom will disable this mode.

embed.getAutoZoom().then(function (state) {
  // The auto-zoom state
  console.log(state);
});

setAutoZoom(boolean): Promise(<boolean, Error>)

Enable (true) or disable (false) the auto-zoom. Auto-zoom is enabled by default for page mode or when the URL parameter zoom is set to auto. Setting a zoom value with setZoom will disable this mode.

embed.setAutoZoom(false).then(function (state) {
  // Auto-zoom mode is disabled
  console.log(state);
});

focusScore(): Promise(<void, Error>)

Unlike the web version on https://flat.io, the embed doesn't catch the focus. This avoids to mess with the parent window, and avoid the browser to do a forced scrolling to the embed iframe.

If the end-users' goal is the usage of the embed to play or write notation, you can use this method to set the focus on the score and allowing them to use the keyboard bindings.

embed.focusScore().then(function () {
  // Focus is now on the score
});

getCursorPosition(): Promise(<object, Error>)

Return the current position of the cursor (on a specific note).

embed.getCursorPosition().then(function (position) {
  // position: {
  //     "partIdx": 0,
  //     "staffIdx": 1,
  //     "voiceIdxInStaff": 0,
  //     "measureIdx": 2,
  //     "noteIdx": 1
  // }
});

setCursorPosition(position: object): Promise(<object, Error>)

Set the current position of the cursor (on a specific note).

embed
  .setCursorPosition({
    partIdx: 0,
    staffIdx: 1,
    voiceIdx: 0,
    measureIdx: 2,
    noteIdx: 1,
  })
  .then(function (position) {
    // position: {
    //     "partIdx": 0,
    //     "staffIdx": 1,
    //     "voiceIdxInStaff": 0,
    //     "measureIdx": 2,
    //     "noteIdx": 1
    // }
  });

getParts(): Promise(<Array, Error>)

Get the list of all the parts of the current score.

embed.getParts().then(function (parts) {
  // parts: [
  //  {
  //    idx: 0
  //    uuid: "ff78f481-2658-a94e-b3b2-c81f6d83bff0"
  //    name: "Grand Piano"
  //    abbreviation: "Pno."
  //    isTransposing: false
  //  },
  //  {
  //    idx: 1
  //    uuid: "ab0ec60f-13ca-765d-34c6-0f181e58a672"
  //    name: "Drum Set"
  //    abbreviation: "Drs."
  //    isTransposing: false
  //  }
  //]
});

getDisplayedParts(): Promise(<Array, Error>)

Get the list of the displayed parts. You can update the displayed parts with setDisplayedParts().

embed.getDisplayedParts().then(function (parts) {
  // parts: [
  //  {
  //    idx: 0
  //    uuid: "ff78f481-2658-a94e-b3b2-c81f6d83bff0"
  //    name: "Grand Piano"
  //    abbreviation: "Pno."
  //    isTransposing: false
  //  }
  //]
});

setDisplayedParts(parts): Promise(<void, Error>)

Set the list of the parts to display. This list (array) can either contain the UUIDs of the parts to display, their indexes (idx) starting from 0, the names of the parts or their abbreviations.

embed.setDisplayedParts(['Violin', 'Viola']).then(function () {
  // display update queued
});

getMeasureDetails(): Promise(<object, Error>)

Retrieve details about the current measure. You can listen to the measureDetails event to get the same details returned every time the cursor is moved or the measure is modified.

embed.getMeasureDetails().then(function (measure) {
  // {
  //     "clef": {
  //         "sign": "G",
  //         "line": 2,
  //         "clef-octave-change": -1
  //     },
  //     "key": {
  //         "fifths": 0
  //     },
  //     "time": {
  //         "beats": 4,
  //         "beat-type": 4
  //     },
  //     "displayedTime": {
  //         "beats": 4,
  //         "beat-type": 4
  //     },
  //     "tempo": {
  //         "qpm": 80,
  //         "bpm": 80,
  //         "durationType": "quarter",
  //         "nbDots": 0
  //     },
  //     "transpose": {
  //         "chromatic": "0"
  //     },
  //     "voicesData": {
  //         "voices": [
  //             0
  //         ],
  //         "mainVoiceIdx": 0
  //     }
  // }
});

getNoteDetails(): Promise(<object, Error>)

Retrieve details about the current note. You can listen to the noteDetails event to get the same details returned every time the cursor is moved or the note is modified.

embed.getNoteDetails().then(function (measure) {
  // {
  //     "articulations": [],
  //     "classicHarmony": null,
  //     "dynamicStyle": null,
  //     "ghostNotes": [
  //         false
  //     ],
  //     "hammerOnPullOffs": [
  //         false
  //     ],
  //     "harmony": null,
  //     "hasArpeggio": false,
  //     "hasGlissando": false,
  //     "isChord": false,
  //     "isInSlur": false,
  //     "isRest": false,
  //     "isTied": false,
  //     "lines": [
  //         -2.5
  //     ],
  //     "lyrics": [],
  //     "nbDots": 0,
  //     "nbGraces": 0,
  //     "ornaments": [],
  //     "pitches": [
  //         {
  //             "step": "E",
  //             "octave": 2,
  //             "alter": 0
  //         }
  //     ],
  //     "technical": [],
  //     "tupletType": null,
  //     "wedgeType": null,
  //     "durationType": "eighth"
  // }
});

getNbMeasures(): Promise(<number, Error>)

Get the number of measures within the score

embed.getNoteDetails().then(function (nbMeasures) {
  assert.strictEqual(nbMeasures, 5);
});

getMeasuresUuids(): Promise(<array, Error>)

Get the number of measures within the score

embed.getMeasuresUuids().then(function (measuresUuids) {
  assert.strictEqual(measuresUuids, [
    '05a4daec-bc78-5987-81e4-2467e234dfb2',
    '08b9110b-82bb-11e5-f57c-7b0f47a6a69a',
    '3c176017-31ff-cc91-7ad6-a2ea4a510200',
    '833ca409-04e9-0b76-52db-105777bd7a56',
  ]);
});

getNbParts(): Promise(<number, Error>)

Get the number of parts within the score

embed.getNbParts().then(function (nbParts) {
  assert.strictEqual(nbParts, 3);
});

getPartsUuids(): Promise(<array, Error>)

Get the number of parts within the score

embed.getPartsUuids().then(function (partsUuids) {
  assert.deepStrictEqual(partsUuids, [
    '05a4daec-bc78-5987-81e4-2467e234dfb2',
    '08b9110b-82bb-11e5-f57c-7b0f47a6a69a',
    '833ca409-04e9-0b76-52db-105777bd7a56',
  ]);
});

getMeasureVoicesUuids(): Promise(<array, Error>)

Get the list of voice uuids present in a given measure

embed
  .getMeasureVoicesUuids({
    partUuid: '05a4daec-bc78-5987-81e4-2467e234dfb2',
    measureUuid: '08b9110b-82bb-11e5-f57c-7b0f47a6a69a',
  })
  .then(function (voicesUuids) {
    assert.deepStrictEqual(voicesUuids, [
      '3c176017-31ff-cc91-7ad6-a2ea4a510200',
      '833ca409-04e9-0b76-52db-105777bd7a56',
    ]);
  });

getMeasureNbNotes(): Promise(<number, Error>)

Get the number of notes in the voice of a specific measure.

embed
  .getMeasureNbNotes({
    partUuid: '05a4daec-bc78-5987-81e4-2467e234dfb2',
    measureUuid: '08b9110b-82bb-11e5-f57c-7b0f47a6a69a',
    voiceUuid: '3c176017-31ff-cc91-7ad6-a2ea4a510200',
  })
  .then(function (nbNotes) {
    assert.strictEqual(nbNotes, 4);
  });

getNoteData(): Promise(<object, Error>)

Get information on a specific note.

embed
  .getNoteData({
    partUuid: '05a4daec-bc78-5987-81e4-2467e234dfb2',
    measureUuid: '08b9110b-82bb-11e5-f57c-7b0f47a6a69a',
    voiceUuid: '3c176017-31ff-cc91-7ad6-a2ea4a510200',
    noteIdx: 2,
  })
  .then(function (noteData) {
    assert.deepStrictEqual(noteData, {
      articulations: [],
      classicHarmony: null,
      durationType: 'quarter',
      dynamicStyle: null,
      ghostNotes: undefined,
      hammerOnPullOffs: undefined,
      harmony: null,
      hasArpeggio: undefined,
      hasGlissando: undefined,
      isChord: undefined,
      isInSlur: false,
      isRest: true,
      isTied: undefined,
      lines: undefined,
      lyrics: [],
      nbDots: 0,
      nbGraces: 0,
      ornaments: [],
      pitches: undefined,
      technical: [],
      tupletType: null,
      wedgeType: null,
    });
  });

playbackPositionToNoteIdx(): Promise(<number, Error>)

Convert the data given by the playbackPosition event into a note index.

embed
  .playbackPositionToNoteIdx({
    partUuid: '1f4ab07d-d27a-99aa-2304-f3dc10bb27c3',
    voiceUuid: '17099aa2-e0dd-dbc3-2d45-b9b574e89572',
    playbackPosition: {
      currentMeasure: 0,
      quarterFromMeasureStart: 1.1,
    },
  })
  .then(function (noteIdx) {
    assert.strictEqual(noteIdx, 1);
  });

goLeft(): Promise(<void, Error>)

Get the number of measures within the score

embed.goLeft().then(function () {
  // The cursor is moved to the previous item on the left
});

goRight(): Promise(<void, Error>)

Get the number of measures within the score

embed.goRight().then(function () {
  // The cursor is moved to the next item on the right
});

Editor API

You can enable the editor mode by setting the mode to edit when creating the embed:

var embed = new Flat.Embed(container, {
  embedParams: {
    appId: '<your-app-id>',
    mode: 'edit',
  },
});

Check out an implementation example of the editor.

Events API

Events are broadcasted following actions made by the end-user or you with the JavaScript API. You can subscribe to an event using the method on, and unsubscribe using off. When an event includes some data, this data will be available in the first parameter of the listener callback.

Event: scoreLoaded

This event is triggered once a new score has been loaded. This event doesn't include any data.

Event: cursorPosition

This event is triggered when the position of the user's cursor changes.

{
  "partIdx": 0,
  "staffIdx": 1,
  "voiceIdx": 0,
  "measureIdx": 2,
  "noteIdx": 1
}

Event: cursorContext

This event is triggered when the position or context of the user's cursor changes.

{
  "isRest": false,
  "isGrace": false,
  "isUnpitchedPart": false,
  "isPitchedPart": true,
  "isPitched": true,
  "isChord": true,
  "isTab": false,
  "hasTab": true,
  "hasTabFrame": false,
  "isEndOfScore": false,
  "isSameLineThanNextNote": false,
  "hasSlashInConnection": false,
  "canTieWithNextNote": false,
  "canSwitchEnharmonic": false,
  "isNextRest": false,
  "hasTie": false,
  "isHeadTied": false
}

Event: measureDetails

This event is triggered when the position or context of the user's cursor changes. The payload of this event is the same as the returned value from getMeasureDetails.

{
  "clef": {
    "sign": "G",
    "line": 2,
    "clef-octave-change": -1
  },
  "key": {
    "fifths": 0
  },
  "time": {
    "beats": 4,
    "beat-type": 4
  },
  "displayedTime": {
    "beats": 4,
    "beat-type": 4
  },
  "tempo": {
    "qpm": 80,
    "bpm": 80,
    "durationType": "quarter",
    "nbDots": 0
  },
  "transpose": {
    "chromatic": "0"
  },
  "voicesData": {
    "voices": [0],
    "mainVoiceIdx": 0
  }
}

Event: noteDetails

This event is triggered when the position or context of the user's cursor changes. The payload of this event is the same as the returned value from getNoteDetails.

{
  "articulations": [],
  "classicHarmony": null,
  "dynamicStyle": null,
  "ghostNotes": [false],
  "hammerOnPullOffs": [false],
  "harmony": null,
  "hasArpeggio": false,
  "hasGlissando": false,
  "isChord": false,
  "isInSlur": false,
  "isRest": false,
  "isTied": false,
  "lines": [-2.5],
  "lyrics": [],
  "nbDots": 0,
  "nbGraces": 0,
  "ornaments": [],
  "pitches": [
    {
      "step": "E",
      "octave": 2,
      "alter": 0
    }
  ],
  "technical": [],
  "tupletType": null,
  "wedgeType": null,
  "durationType": "eighth"
}

Event: rangeSelection

This event is triggered when a range of notes is selected or the selection changed. The noteIdx for the right location is inclusive, the range selection ends after the designated note.

{
  "left": {
    "measureUuid": "ee882ed1-083a-3caa-34c4-cba4f0c28198",
    "staffUuid": "77ce0d0c-8c09-ae97-bc58-6e8f63dffaa7",
    "partUuid": "9a12babc-8397-f9d2-5da3-7688384a55cc",
    "voiceUuid": "8b19453c-f6fd-c9f3-41f0-e678b002d80e",
    "noteIdx": 1,
    "line": 3
  },
  "right": {
    "noteIdx": 2,
    "measureUuid": "49fda575-db0a-065d-98a9-8214388ee8f6",
    "partUuid": "1bace7c1-13e8-e513-4dbf-a28b0feaeaa3",
    "staffUuid": "f03b9986-4d12-5081-c934-a6e8d6b299e3",
    "voiceUuid": "862c3d23-974e-d648-6057-f8e27c585f16"
  },
  "up": {
    "measureUuid": "ee882ed1-083a-3caa-34c4-cba4f0c28198",
    "staffUuid": "77ce0d0c-8c09-ae97-bc58-6e8f63dffaa7",
    "partUuid": "9a12babc-8397-f9d2-5da3-7688384a55cc",
    "voiceUuid": "8b19453c-f6fd-c9f3-41f0-e678b002d80e",
    "noteIdx": 1,
    "line": 3
  },
  "down": {
    "noteIdx": 2,
    "measureUuid": "49fda575-db0a-065d-98a9-8214388ee8f6",
    "partUuid": "1bace7c1-13e8-e513-4dbf-a28b0feaeaa3",
    "staffUuid": "f03b9986-4d12-5081-c934-a6e8d6b299e3",
    "voiceUuid": "862c3d23-974e-d648-6057-f8e27c585f16"
  }
}

Event: fullscreen

This event is triggered when the state of the fullscreen changed. The callback will take a boolean as the first parameter that will be true if the fullscreen mode is enabled, and false is the display is back to normal (fullscreen exited).

Event: play

This event is triggered when you or the end-user starts the playback. This event doesn't include any data.

Event: pause

This event is triggered when you or the end-user pauses the playback. This event doesn't include any data.

Event: stop

This event is triggered when you or the end-user stops the playback. This event doesn't include any data.

Event: playbackPosition

This event is triggered when the playback slider moves. It is constantly triggered, as it is the event that also serve internally to animate the vertical line. It contains an object with information regarding the position of the playback in the score:

{
  currentMeasure: 3,// Index of the meaasure in the score
  quarterFromMeasureStart: 2.2341,// Position from the beginning of the measure, expressed in quarter notes
}

Here is how you can get information on the note currently played. We will check for a note in the part/voice where the user cursor is currently located.

const cursorPosition = await embed.getCursorPosition();
const { partUuid, voiceUuid } = cursorPosition;
const measuresUuids = await embed.getMeasuresUuids();

embed.on('playbackPosition', async playbackPosition => {
  const { currentMeasure } = playbackPosition;
  const measureUuid = measuresUuids[currentMeasure];
  const voicesUuids = await embed.getMeasureVoicesUuids({
    partUuid,
    measureUuid,
  });
  if (voicesUuids.includes(voiceUuid)) {
    // The voice is not present in the measure currently being played..
    return;
  }

  const noteIdx = await embed.playbackPositionToNoteIdx({
    partUuid,
    voiceUuid,
    playbackPosition,
  });
  const noteData = await embed.getNoteData({
    partUuid,
    measureUuid,
    voiceUuid,
    noteIdx,
  });
  assert.strictEqual(noteData.isRest, true);
});
2.4.0

8 months ago

2.3.0

2 years ago

2.2.0

2 years ago

2.0.1-beta.0

2 years ago

2.0.0-beta.0

2 years ago

2.0.1-beta.1

2 years ago

2.1.0

2 years ago

2.0.1

2 years ago

2.0.0

2 years ago

1.5.1

3 years ago

1.5.0

3 years ago

1.4.1

4 years ago

1.4.0

4 years ago

1.3.0

6 years ago

1.2.0

6 years ago

1.1.0

6 years ago

1.0.0

6 years ago

0.11.0

7 years ago

0.10.0

7 years ago

0.9.0

8 years ago

0.8.0

8 years ago

0.7.0

8 years ago

0.6.0

8 years ago

0.5.0

8 years ago

0.4.0

8 years ago

0.3.0

8 years ago

0.2.0

9 years ago

0.1.0

9 years ago