All Projects → ashfaq1701 → fast-mixer

ashfaq1701 / fast-mixer

Licence: CC0-1.0 license
Mini recording and mixing studio for android

Programming Languages

c
50402 projects - #5 most used programming language
kotlin
9241 projects
C++
36643 projects - #6 most used programming language

Projects that are alternatives of or similar to fast-mixer

Tensorflow-Audio-Classification
Audio classification with VGGish as feature extractor in TensorFlow
Stars: ✭ 105 (+123.4%)
Mutual labels:  audio-processing
Triton
🐳 Scripps Whale Acoustics Lab 🌎 Scripps Acoustic Ecology Lab - Triton with remoras in development
Stars: ✭ 25 (-46.81%)
Mutual labels:  audio-processing
UnitySoundManager
Sound manager with 3 tracks, language system, pooling system, Fade in/out effects, EventTrigger system and more.
Stars: ✭ 55 (+17.02%)
Mutual labels:  audio-processing
web-voice-processor
A library for real-time voice processing in web browsers
Stars: ✭ 69 (+46.81%)
Mutual labels:  audio-processing
Android-Wave-Recorder
A powerful and efficient library to record WAVE form audio files (WAV) in Android
Stars: ✭ 137 (+191.49%)
Mutual labels:  audio-recorder
AnotherBadBeatSaberClone
This is a discontinued but perhaps helpful VR project created during my Master's degree at FH Wedel.
Stars: ✭ 22 (-53.19%)
Mutual labels:  audio-processing
DDCToolbox
Create and edit DDC headset correction files
Stars: ✭ 70 (+48.94%)
Mutual labels:  audio-processing
TD-Faust
FAUST (Functional Audio Stream) for TouchDesigner
Stars: ✭ 38 (-19.15%)
Mutual labels:  audio-processing
DiViMe
ACLEW Diarization Virtual Machine
Stars: ✭ 28 (-40.43%)
Mutual labels:  audio-processing
SimpleCompressor
Code and theory of a look-ahead compressor / limiter.
Stars: ✭ 70 (+48.94%)
Mutual labels:  audio-processing
Realtime AudioDenoise EchoCancellation
No description or website provided.
Stars: ✭ 91 (+93.62%)
Mutual labels:  audio-processing
simple-vmsg-demo
A plain HTML/JS demo that uses vmsg (a modern WebAssembly version of LAME) to record and encode mp3 audio in the browser
Stars: ✭ 17 (-63.83%)
Mutual labels:  audio-recorder
audio noise clustering
https://dodiku.github.io/audio_noise_clustering/results/ ==> An experiment with a variety of clustering (and clustering-like) techniques to reduce noise on an audio speech recording.
Stars: ✭ 24 (-48.94%)
Mutual labels:  audio-processing
SpleeterRT
Real time monaural source separation base on fully convolutional neural network operates on Time-frequency domain.
Stars: ✭ 111 (+136.17%)
Mutual labels:  audio-processing
ailia-models
The collection of pre-trained, state-of-the-art AI models for ailia SDK
Stars: ✭ 1,102 (+2244.68%)
Mutual labels:  audio-processing
keras-audio
keras project for audio deep learning
Stars: ✭ 37 (-21.28%)
Mutual labels:  audio-processing
songturtle
🐢 Play, slow down, and loop sections of audio files in the browser 🐢
Stars: ✭ 26 (-44.68%)
Mutual labels:  audio-processing
audio degrader
Audio degradation toolbox in python, with a command-line tool. It is useful to apply controlled degradations to audio: e.g. data augmentation, evaluation in noisy conditions, etc.
Stars: ✭ 40 (-14.89%)
Mutual labels:  audio-processing
twang
Library for pure Rust advanced audio synthesis.
Stars: ✭ 83 (+76.6%)
Mutual labels:  audio-processing
Morn
Morn是一个C语言的基础工具和基础算法库,包括数据结构、图像处理、音频处理、机器学习等,具有简单、通用、高效的特点。
Stars: ✭ 177 (+276.6%)
Mutual labels:  audio-processing

Mixi

Video Preview

See app preview

Google Play Store Link

This project is an open-source sound recorder and mixer for Android based mobile devices and tablets.

Technical Overview

  • This project is done using the latest android architecture components, MVVM, LiveData, Navigation, Data Binding, Coroutines etc.
  • Used Hilt for dependency injection.
  • Used RxJava and reactive programming pattern to act against various view events.
  • Designed some complex custom views doing heavy rendering jobs. Used RxJava observers heavily inside those views to react promptly against UI actions.
  • Performed all heavy computation and IO tasks in background threads (IO Dispatcher and Default Dispatcher).
  • NDK heavy project. Most of the operational parts of the project are done as native codes. The solution is scalable and will allow many layers of further improvements without major structural refactor.
  • The recording done through this app and the mixed files written through this app will have the following properties,
    • Sample rate: 48kHz (will be improved in future)
    • Channel count: 2 (Stereo)
  • Uses FFMpeg for decoding audio and libsndfile to write into wav file.
  • To track memory leaks ASAN and HWASAN are used.

Installation

To run this project install NDK and CMake in Android Studio.

This project uses some C++ projects (oboe, libsndfile and FFMpeg) as submodules. After cloning run below command,

git submodule update --init

to download all of the C++ dependencies required by this project. Then this project can be built and run.

A build of FFMpeg is already pushed into this project. But if you want to build FFMpeg yourself then run the following bash script.

cd cpp_dependencies/ffmpeg-scripts
./ffmpeg-build.sh

This will build ffmpeg and move it to the expected directory.

Then copy local.example.properties content in local.properties and tweak it according to your need.

Interesting code chunks and implementation details

  • The way recording buffer is written into a file is non-blocking and done in a background thread.

    • Recorded buffer is taken and added to a bigger buffer with a capacity of 30 seconds audio.
      RecordingIO::write()
    • Once the bigger buffer is about to become full, flush_buffer function triggers. This function copies those data into a new pre-allocated temporary buffer, and frees up the main buffer. Then it notifies by the mutex that main buffer is ready to accept new audio samples. After that it enqueues a lambda worker to the TaskQueue which is a FIFO queue,
      RecordingIO::flush_buffer()
    • Inside of the fifo queue the worker creates an LIBSNDFile handle and appends the audio data to the passed file descriptor. This is done in separate FIFO queue, so this is non-blocking.
      RecordingIO::flush_to_file()
    • But there is a catch, the lock used while flushing buffer, inside of the write function, still locks the callback thread for a very short time. This should not be done, callback thread should not be locked at all. In a later fix, this lock will be removed by adding a new backup buffer.
      RecordingIO::write()
  • Live playback stream reads from the audio write buffer when there is data available. It maintains it's own read pointer which eventually resets to the current write pointer, when recording is paused and replayed.
    RecordingIO::read_live_playback()

  • TaskQueue is a fifo queue that takes write buffer flushing tasks and executes them one after another, in a background thread.
    TaskQueue

  • The way audio samples of a source are summarized to a specified number of samples (for visualization) is interesting and optimal, this code is worth looking.
    FileDataSource::readData

  • While mixing multiple sources we need to normalize the mixed audio to preserve original loudness. For this we need max(A[i] + B[i] + C[i]), where A, B and C are 3 loaded sources. When A, B and C are decoded audios loaded into RAM, this operation can be very time consuming, delaying the total mixing operation. This is done by dividing the work into multiple worker threads and then combining the results. The number of workers are kept dynamic.
    SourceStore::updateAddedMax

  • The way player renders specific chunk mixed from multiple sources in real time, in a non-blocking manner, is interesting.
    Player::renderAudio

  • The way mixed audio is written into a file, in multiple passes, doing all of the computation in place, is an interesting implementation too.
    MixedAudioWriter::writeToFile

  • Obviously the decoded sources are kept in a single place and in an efficient manner. While sharing them with Writer, Player or any other object, a shared_ptr or a map with shared_ptr's are shared and data copy is avoided at all cost. Also the lifecycle of those objects are carefully monitored, to prevent any unintentional crash.
    SourceMapStore::sourceMap

  • To update ui state properly when a audio finishes playing, reverse call from C++ - Kotlin is made. The way it is done is interesting too,
    RecordingEngine::setStopPlayback
    prepare_kotlin_recording_method_ids

  • In Kotlin side while reading from file, we used new Scoped Storage, which doesn't need any permission. From Kotlin to native code a FileDescriptor is passed, which is obtained from the ContentManager URI.
    RecordingScreenViewModel::addRecordedFilePath
    FileManager::getReadOnlyFdForPath

  • While writing file as media using scoped storage, we first get the file descriptor for the media storage and then pass the file descriptor to C++ for writing,
    WriteViewModel::performWrite
    FileManager::getFileDescriptorForMedia

  • The whole custom view FileWaveView, pulls audio data into background thread, does the scaling efficiently and then does heavy rendering on the screen in an efficient and non-blocking manner too. This can be seen by navigating through the series of function calls fetchPointsToPlot, processPlotPoints and createAndDrawCanvas.
    fetchPointsToPlot

Other than these too, the whole codebase has many other solutions of interesting and complex problems. While doing this I faced countless issues and tried to solve them in standard manners and following the best practices.

Features

Recording Screen

  • Record audio from device's primary microphone or input device attached to the device.
  • While recording, it shows a visualizer and timer to visualize the record operation.
  • There is a feature called Live Playback, which can be enabled only if wired headphones are connected. This will relay what the user is recording to the connected headphone in real time. The checkbox to enable live playback will be enabled if wired headphones are connected to the device.
  • There is a feature called Mixing Play. This will play the audios loaded into the app in the mixing screen, while recording. This will make it easy to load a track into the app and then sing with the track. To avoid echo, user should use headphone while using the Mixing Play feature.
  • The recorded audio can be played from the recording screen and can be seeked using the seekbar in the recording screen.
  • From recording screen user can play the recorded sound along with the other sounds loaded into the mixing screen. This can be done using Play Mixed button.
  • Recording is incremental. User can pause and record again. Mixing Play will always align with the current recording position.
  • User can reset the recording at any time. This action will delete the recorded file and will reset all of the timers.
  • User can press Go back button or press hardware back button to get back to the mixing screen. Going back will load the recorded audio into memory and show a widget into the Mixing Screen.

Mixing Screen

  • In the mixing screen user can press Record to navigate to the recording screen.
  • User can press Read from file. This will launch a storage file selector, user can select any mp3 or wav file. The file will be decoded and loaded into the RAM as a new data source. Once the read is finished, user will see a widget, inside which there will be a wave view of the newly added file and also some controls to manipulate the ui / cached audio.
  • Wave view of different sources will be plotted based on their relative duration. Longest video will take the full screen width, while the shorter ones will take width according to their relative proportion with the longest source's width.
  • If the user rotates the device, the longest audio will take the new full-width and the shorter ones will adjust themselves accordingly.
  • User can Zoom in the waveview by pressing the "+" button located at the bottom of each waveview. This will increase the waveview resolution by a factor of 1.5.
  • After zooming in if the waveview width gets bigger than the device width, then a Scrollbar will get visible, using which user can slide the waveview.
  • If after many zoom in actions, the scrollbar becomes over narrow, and can't be dragged, then user can slide the waveview using the arrow buttons placed above of each waveview.
  • Similarly user can Zoom out by pressing the - button located at the bottom of each waveview.
  • From this waveview user can press play icon to play each individual source. There will be a play marker which will progress along the playback progression.
  • Any position inside of the wave view can be long pressed to reposition the play marker at that position.
  • Inside each of the wave view widget, there is a segment selection icon, which when pressed, will create an initial segment boundary inside of the waveview.
  • Area inside the segment selector can be long pressed to resize the segment selector. Long pressing near the left edge and then dragging to a new position will reposition the left side. Long pressing near the right edge and then dragging to a new position will reposition the right edge.
  • Segment selector can be adjusted more precisely by clicking into Segment Adjustment menu item and then entering start and duration in milliseconds.
  • Selected segment can be copied, cut into clipboard, or muted by selecting the appropriate dropdown menu item.
  • When there is data into the clipboard, paste menu item will be enabled. Pressing the paste menu item will then paste the segment from the clipboard into the current position of the play marker.
  • Any source can be given a certain gain (in dB unit) by clicking on the Gain Adjustment menu item and then positioning the slider to the appropriate gain value.
  • Any position in the audio source can be shifted by a certain millisecond value by clicking the Shift menu item from the dropdown menu.
  • The arrow in the bottom - left position of the screen can be tapped to pop-up the bottom drawer.
  • Bottom drawer has a item called Paste New, which when pressed will paste the segment from clipboard as a new source.
  • Pressing the play button in the bottom drawer will mix the audio in real-time and will play the mixed sound in the audio output. This is called the Group Play feature.
  • Group play will show a transparent overlay on the screen. Group play position can be slided by sliding on the seekbar.
  • A segment can be selected from the Group play overlay by adjusting the range slider and then tapping on group play icon again. Apply button in the overlay will apply the bounds defined by the range slider to each of the sources in the screen by setting Segment Selectors in each of them.
  • Zoom In button in the bottom drawer can be pressed to Zoom in all of the sources together, maintaining their display width ratio.
  • Zoom Out button in the bottom drawer can be pressed to Zoom out all of the sources together, maintaining their display width ratio.
  • Reset button in the bottom drawer can be pressed to reset each of the source's Zoom Level to a value of 1, restoring their relative width ratio.
  • Finally Write to disk button at the top can be pressed to write the mixed audio to the public media storage. A auto generated file name will be suggested in the beginning, which can be changed to give the output file a preferred name.

Code Walk-through

A brief navigation to the project's architecture is given below,

Kotlin (UI) part:

UI portion of the app is built with Kotlin,

  • screens - This folder contains the screen related classes, such as activities, fragments and view models.
  • screens/mixing - This folder contains the mixing screen fragment, view model, repository and shared stores to share ui states between multiple view widgets.
  • screens/mixing/FileWaveViewStore - As audio sources in this application needs to interact with each other to maintain relative width, this class is used as a centralized source of shared UI states. Instance of this object is dependency injected in all of the wave view instances.
  • screens/mixing/AudioFileStore - Audio file UI states need to be preserved across app's navigation and also need to shared with the recording screen. This class acts a centralized source for the current list of loaded files.
  • screens/mixing/PlayFlagStore - Play states and Group Play state of the application needs to be shared among different parts of the code. So this is also implemented as a separate store, so that it can be dependency injected.
  • screens/mixing/modals - Popup models inside of the mixing screen.
  • screens/recording - Recording screen related stuffs. Fragment, view model and repository.
  • common/di/screens - This project uses hilt, not dagger, so for DI I didn't need to create a lot of modules, components etc. For creating an instance of RxPermission, I needed to create a module, which is injected into FragmentComponent directly. Hilt is great.
  • common/fragments - Base fragment and base dialog fragment with bootstrapping code.
  • common/repositories - Just some audio utility classes.
  • common/utils - Some random utility classes.
  • common/viewmodel - Base view model with some bootstrapping code.
  • common/views - All the custom views used in the app.
  • common/views/FileWaveView - File wave view custom view class. This does heavy rendering job and heavily use RxJava observers.
  • common/views/FileWaveViewWidget - Wrapper view around file wave view with control buttons and drop down menu. This view also registers and transforms many RxJava observers.
  • common/views/CustomHorizontalScrollBar - Custom made horizontal scrollbar. I could not use ScrollView because the scroll gesture I needed for segment resizing. So this scrollbar is created.
  • broadcastReceivers/AudioDeviceChangeListener - Broadcast receiver to listen for changes in connected audio devices. Used to detect headphone or BT Headset connection / disconnection.
  • audio - C++ interfaces for this project.
  • audio/MixingEngine - C++ interfaced native functions used in mixing screen.
  • audio/RecordingEngineProxy - Wrapper class around RecordingEngine to avail dependency injection.
  • audio/MixingEngineProxy - Wrapper class around MixingEngine to avail dependency injection.

C++ (Engine) part:

Audio and IO part of the app is done using C++,

  • audio - Audio, player, decoder and mixed file writer classes.
  • mixing - Functions used in mixing screen of the application.
  • recording - Functions used in recording screen of the application.
  • streams - Base stream classes.
  • synthesizers - Synthesizers created for this project. Now only one is there, later many synthesizers are planned to be added.
  • taskqueue - A single background threaded FIFO queue.
  • utils - Utility functions.
  • jvm_env - An encapsulation class to do operations on JVM environment. Used for calling some functions in reverse path (cpp - java).
  • SourceMapStore - A shared singleton class to store the encoded audio files. The singleton instance is shared between recording and mixing engine classes.
  • structs - Simple structures needed for this app.
  • mixing/mixing-lib - Entry point for mixing screen related functions.
  • mixing/MixingEngine - Mixing engine class, entrypoint for all mixing related functions.
  • mixing/MixingIO - Mixing IO class, to perform all IO operations.
  • mixing/streams - Mixing stream classes, playback stream for mixing screen.
  • recording/recording-lib - Entry point for recording screen related functions.
  • recording/RecordingEngine - Recording engine class, entrypoint for all recording related functions.
  • recording/RecordingIO - Recording IO class, to perform all IO operations.
  • recording/streams - Recording stream classes, recording stream, live playback stream and playback stream for mixing screen.
  • audio/FFMpegExtractor - Decoder based on FFMpeg. Decodes audio files and returns a buffer containing all of the decoded audio samples. Works with the file descriptor passed from Kotlin side. This class contains the function which summarizes the audio file to a specified number of points. Used by the visualizer.
  • audio/FileDataSource - Class with necessary states to represent a decoded file source in the memory.
  • audio/BufferedDataSource - Class with necessary states to represent a buffered source (into clipboard) in the memory.
  • audio/Player - Player class which reads specific number of samples, added and normalized, from all of the loaded sources into the memory. Also holds states such as current play head pointer.
  • audio/MixedAudioWriter - Class which writes the mixed audio from all of the sources loaded into the memory into the specified file. Target file is passed as a file descriptor from Kotlin.
  • audio/SourceStore - Super class for Player and MixedAudioWriter. Player and MixedAudioWriter shares some common implementation and requires same set of functions. For sharing these implementation without necessarily copying code, we inherited those classes from SourceStore.
  • CMakeLists.txt - CMakeLists file loads all of the necessary classes and external modules into our project.

Limitation

  • The architecture of this project is easily testable. But I didn't get enough time to write unit tests yet, instead I focused on implementing the features. Unit tests will be added later.
  • While writing file I used to lock to block the callback for a very short time. Although this doesn't create any problem till now, but this is not a good practice. I will optimize this part later.
  • Live playback feature is not instant but has a little delay. I will improve this part later by working with Oboe team.
  • Although I hunted down all memory leaks and crashes I could found. But still there can be few left. Please report if you find any.
  • UI is not properly done. I will design the UI in a private fork.

Credits

  • The project is mainly done around google/oboe, which is a low latency native framework for Android.
  • I was inspired by seeing sheraz-nadeem/oboe_recorder_sample. Got the primary idea for the required structure from this project.
  • I used Armen101/AudioRecordView as the visualizer in the recording screen. I was against usage of any external UI library, but as this part is not playing any vital role in the app's core process, so I used this visualizer here. I will replace it with own implemnentation in a later phase.
  • For decoding audio I used FFMpeg.
  • For writing and appending samples to a wav file I used libsndfile.
Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].