How to install obs plugins
How to install obs plugins
OBS plugins: ищем полезные расширения
OBS Plugins – дополнения, которыми пользуются продвинутые пользователи. Если вы хотите найти классный софт и поставить его на стрим, пора изучить расширенные возможности программного обеспечения!
Как установить
Очень важно детально, до мельчайших подробностей разобраться, как установить плагины в OBS Studio! Это небольшие, но очень полезные дополнения, значительно упрощающие жизнь стримера. Хотите сбросить с себя часть рутинных действий и получить доступ к новым интересным возможностям? Тогда не проходите мимо нашей инструкции.
Все доступные расширения OBS перед вами. Как только вы нажмете на название понравившегося дополнения, сможете просмотреть подробную информацию. Обратите внимание на такие параметры:
Здесь же вы найдете подробное описание возможностей (иногда со скриншотами) и историю обновлений. Почитайте отзывы пользователей, уже скачавших плагин и примите окончательное решение!
Обращаем ваше внимание: частенько плагины для OBS Studio не русифицированы, как и общий интерфейс сайта. Заранее откройте переводчик или включите опцию перевода страниц в браузере, чтобы не запутаться.
На странице расширения вы можете найти ссылку на исходный код (на Гитхабе). Если у вас возникают малейшие сомнения, забудьте о них – открытость версий говорит об отсутствии вредоносного содержимого. Любой может проверить, что вписано в код!
Переходим к следующему этапу – как добавить плагин в ОБС? Мы уже выбрали интересное дополнение, хочется поставить его и начать работать!
Не переживайте, не запутаетесь! Как правило, авторы плагинов для ОБС для стрима дают подробный комментарий к каждому загруженному файлу. Ищите архив с названием вашей операционной системы и версии.
Достаточно просто нажать на название архива, чтобы началась загрузка. Скачивание завершилось? Продолжаем разбираться, как установить плагин в ОБС:
Плагин для OBS Studio для стрима почти установлен! Проверяем:
Советуем вам прочитать другие интересные статьи по теме:
Рекомендуем скачивать дополнения только с официального сайта – они разрабатываются пользователями, но проверяются гитхабом на отсутствие вирусов. Не доверяйте сторонним источникам!
How to install plug-ins on OBS Studio
The best thing about OBS doesn’t need to be complicated.
Logo via Open Broadcast Software
When it comes to streaming, the ultimate tool is Open Broadcast Software Studio, better known as OBS Studios. It allows you to bring your stream to life, and while it has a steep learning curve compared to competitor software Streamlabs OBS and Twitch Studio, it has a number of distinct advantages.
One of those features that allows it to head off the competition is the use of plug-ins. These are small pieces of software code that can be added to OBS to expand its functionality and improve the quality of your broadcast with features not available in other broadcasting software.
For example, you can use plug-ins from the Reaper Digital Audio Workstation to vastly improve the audio quality of your microphone by equalizing it and setting up a sound gate, all within OBS. Another called StreamFM allows you to add special effect features to the broadcast, such as being able to turn sources into 3D objects, while Shaderfilters can add shaders and effects to sources directly.
However, there is no obvious way to install them to your OBS set-up with documentation light, and many of the download pages will usually assume you know what you are doing already.
Installing Plugins on Windows
To install a plugin on Windows, you need to download the plugin you are looking for. Using the StreamFX plugin as an example, going to the downloads from the OBS Project page will present multiple options for Windows and Linux.
When you attempt to move them into there, it will ask permission to merge the files for the plug-in into OBS. Accept this, and then once done, the files will be within your OBS files. Upon restarting OBS, your client will now include the integrated features. This will either manifest in the Tools tab, have its own tab (such is the case with StreamFX), or be available in the Filters options when you use the Filters menu on a source.
PluginsВ¶
Almost all custom functionality is added through plugin modules, which are typically dynamic libraries or scripts. The ability to capture and/or output audio/video, make a recording, output to an RTMP stream, encode in x264 are all examples of things that are accomplished via plugin modules.
Plugins can implement sources, outputs, encoders, and services.
Plugin Module HeadersВ¶
These are some notable headers commonly used by plugins:
libobs/obs-module.h – The primary header used for creating plugin modules. This file automatically includes the following files:
libobs/obs.h – The main libobs header. This file automatically includes the following files:
libobs/obs-source.h – Used for implementing sources in plugin modules
libobs/obs-output.h – Used for implementing outputs in plugin modules
libobs/obs-encoder.h – Used for implementing encoders in plugin modules
libobs/obs-service.h – Used for implementing services in plugin modules
libobs/obs-data.h – Used for managing settings for libobs objects
libobs/obs-properties.h – Used for generating properties for libobs objects
libobs/graphics/graphics.h – Used for graphics rendering
Common Directory Structure and CMakeLists.txtВ¶
The common way source files are organized is to have one file for plugin initialization, and then specific files for each individual object you’re implementing. For example, if you were to create a plugin called вЂmy-plugin’, you’d have something like my-plugin.c where plugin initialization is done, my-source.c for the definition of a custom source, my-output.c for the definition of a custom output, etc. (This is not a rule of course)
This is an example of a common directory structure for a native plugin module:
This would be an example of a common CMakeLists.txt file associated with these files:
Native Plugin InitializationВ¶
The following is an example of my-plugin.c, which would register one object of each type:
SourcesВ¶
Sources are used to render video and/or audio on stream. Things such as capturing displays/games/audio, playing a video, showing an image, or playing audio. Sources can also be used to implement audio and video filters as well as transitions. The libobs/obs-source.h file is the dedicated header for implementing sources. See the Source API Reference (obs_source_t) for more information.
For example, to implement a source object, you need to define an obs_source_info structure and fill it out with information and callbacks related to your source:
Then, in my-plugin.c, you would call obs_register_source() in obs_module_load() to register the source with libobs.
Some simple examples of sources:
Synchronous video source: The image source
Asynchronous video source: The random texture test source
OutputsВ¶
Outputs allow the ability to output the currently rendering audio/video. Streaming and recording are two common examples of outputs, but not the only types of outputs. Outputs can receive the raw data or receive encoded data. The libobs/obs-output.h file is the dedicated header for implementing outputs. See the Output API Reference (obs_output_t) for more information.
For example, to implement an output object, you need to define an obs_output_info structure and fill it out with information and callbacks related to your output:
Then, in my-plugin.c, you would call obs_register_output() in obs_module_load() to register the output with libobs.
Some examples of outputs:
Encoded video/audio outputs:
Raw video/audio outputs:
EncodersВ¶
Encoders are OBS-specific implementations of video/audio encoders, which are used with outputs that use encoders. x264, NVENC, Quicksync are examples of encoder implementations. The libobs/obs-encoder.h file is the dedicated header for implementing encoders. See the Encoder API Reference (obs_encoder_t) for more information.
For example, to implement an encoder object, you need to define an obs_encoder_info structure and fill it out with information and callbacks related to your encoder:
Then, in my-plugin.c, you would call obs_register_encoder() in obs_module_load() to register the encoder with libobs.
IMPORTANT NOTE: Encoder settings currently have a few expected common setting values that should have a specific naming convention:
Examples of encoders:
ServicesВ¶
Services are custom implementations of streaming services, which are used with outputs that stream. For example, you could have a custom implementation for streaming to Twitch, and another for YouTube to allow the ability to log in and use their APIs to do things such as get the RTMP servers or control the channel. The libobs/obs-service.h file is the dedicated header for implementing services. See the Service API Reference (obs_service_t) for more information.
(Author’s note: the service API is incomplete as of this writing)
For example, to implement a service object, you need to define an obs_service_info structure and fill it out with information and callbacks related to your service:
Then, in my-plugin.c, you would call obs_register_service() in obs_module_load() to register the service with libobs.
The only two existing services objects are the “common RTMP services” and “custom RTMP service” objects in plugins/rtmp-services
SettingsВ¶
Settings (see libobs/obs-data.h) are used to get or set settings data typically associated with libobs objects, and can then be saved and loaded via Json text. See the Data Settings API Reference (obs_data_t) for more information.
The obs_data_t is the equivalent of a Json object, where it’s a string table of sub-objects, and the obs_data_array_t is similarly used to store an array of obs_data_t objects, similar to Json arrays (though not quite identical).
To create an obs_data_t or obs_data_array_t object, you’d call the obs_data_create() or obs_data_array_create() functions. obs_data_t and obs_data_array_t objects are reference counted, so when you are finished with the object, call obs_data_release() or obs_data_array_release() to release those references. Any time an obs_data_t or obs_data_array_t object is returned by a function, their references are incremented, so you must release those references each time.
To set values for an obs_data_t object, you’d use one of the following functions:
Similarly, to get a value from an obs_data_t object, you’d use one of the following functions:
Unlike typical Json data objects, the obs_data_t object can also set default values. This allows the ability to control what is returned if there is no value assigned to a specific string in an obs_data_t object when that data is loaded from a Json string or Json file. Each libobs object also has a get_defaults callback which allows setting the default settings for the object on creation.
These functions control the default values are as follows:
PropertiesВ¶
Properties (see libobs/obs-properties.h) are used to automatically generate user interface to modify settings for a libobs object (if desired). Each libobs object has a get_properties callback which is used to generate properties. The properties API defines specific properties that are linked to the object’s settings, and the front-end uses those properties to generate widgets in order to allow the user to modify the settings. For example, if you had a boolean setting, you would use obs_properties_add_bool() to allow the user to be able to change that setting. See the Properties API Reference (obs_properties_t) for more information.
An example of this:
The data parameter is the object’s data if the object is present. Typically this is unused and probably shouldn’t be used if possible. It can be null if the properties are retrieved without an object associated with it.
Properties can also be modified depending on what settings are shown. For example, you can mark certain properties as disabled or invisible depending on what a particular setting is set to using the obs_property_set_modified_callback() function.
For example, if you wanted boolean property A to hide text property B:
LocalizationВ¶
Typically, most plugins bundled with OBS Studio will use a simple ini-file localization method, where each file is a different language. When using this method, the OBS_MODULE_USE_DEFAULT_LOCALE() macro is used which will automatically load/destroy the locale data with no extra effort on part of the plugin. Then the obs_module_text() function (which is automatically declared as an extern by libobs/obs-module.h) is used when text lookup is needed.
There are two exports the module used to load/destroy locale: the obs_module_set_locale() export, and the obs_module_free_locale() export. The obs_module_set_locale() export is called by libobs to set the current language, and then the obs_module_free_locale() export is called by libobs on destruction of the module. If you wish to implement a custom locale implementation for your plugin, you’d want to define these exports along with the obs_module_text() extern yourself instead of relying on the OBS_MODULE_USE_DEFAULT_LOCALE() macro.
Best OBS Studio Plugins & OBS Add-ons
Posted at November 29, 2021
Show all chapters
1 Introduction
OBS Studio is the best software to stream out there, and it’s the most popular because of its versatility. Thanks to being open source, OBS is free and people can create and add new features to improve it in the form of plugins.
By default, OBS is the most powerful and complete tool for streaming out there, but for those who need or want a little more, we have prepared a list with the best OBS Studio Plugins.
In this guide, we will show you plugins of various types: video, audio and effects. But isn’t there a plugin that can do it all? The answer is yes. The OWN3D PRO plugin for OBS allows you to modify your Stream overlays, alerts and panels with just a couple of clicks.
OWN3D PROis an all-in-one solution and opens up a colorful world of more than 900+ high-quality assets for you as an OBS user to make your stream more personal than ever! Surprise your viewers with animated designs to match your current mood, your chosen game, the season, or even the holidays. You can either use the free version or unlock more than 900+ assets for a small monthly fee.
OWN3D Pro offers:
You can register and download the OBSOWN3D PRO Pluginfor free. Once installed, you will have 5 free overlays and 5 free matching alerts available. If you want to unlock more than 500+ designs, including more than 450+ alerts, subscribe to the Premium service.
More info about one of the best OBS Studio Plugin OWN3D Pro you can find here: OWN3D Pro Tutorial
3 Best OBS Studio Visual Plugins
We continue in our guide talking about the OBS Studio visual plugins, which make it possible to modify images or add on-screen elements for the convenience of the viewers. In addition, thanks to this type of plugin, OBS allows us to stream on several platforms at the same time, add virtual cameras and even use an iPhone as a webcam. Let’s get down to business!
3.1 Multiple RTMP outputs
If you want to stream on several platforms at the same time while using the same OBS signal, the Multiple RTMP plugin for OBS is your best choice. With this plugin you are able to stream on Twitch, YouTube, Facebook, etc. at the same time for free.. and its configuration is very easy.
Moreover, this plugin is able to share the encoder options so that the CPU is not saturated while using OBS.
3.2 Input Overlay
If you ever wanted to show in your stream which keys you press on your mouse or keyboard, Input Overlay is the plugin you were looking for. This little plugin for OBS Studio will show in your stream an image of the keyboard and mouse and light up the keys you press. It is also perfect to show the buttons you press with the controller and show your best dribbles in Fifa or combos in your favorite fighting games.
It is a perfect plugin both for streaming and for recording any type of video tutorial with which you want to teach others.
Installing the plugin adds two new sources to OBS: Input Overlay and Input History.
3.3 OBS Virtualcam
Virtualcam for OBS is a plugin that adds a virtual webcam as Output to your OBS sources. Virtualcam is perfect for adding your OBS as a virtual camera to use later with Zoom, Skype or Microsoft Teams video conferences. This way, you can show your friends/co-workers your web browser and your camera at the same time, using a cool interface.
OBS Virtualcam has two main methods for video output in OBS. The first is the preview output, which is activated from the Tools menu. This output will show what you see in the OBS preview, including any changes or scenes you make.
As the name suggests, iOS Camera lets you use your iPhone’s camera as a webcam. Quite simply, you can access the video and audio from your iPhone camera via USB cable and WIFI. It works for Mac and PC. This plugin is perfect for newbies and you can save money as you can use your own iPhone as a facecam.
Shaderfilter is a plugin for applying different filters and shaders to OBS sources. With Shaderfilter you can show yourself behind glass, distort your webcam output, apply different filters to your stream and webcam and much more. This plugin will let your stream be more fun and dynamic, as you can change your face and apply different filters to your image.
Once installed, you can apply it through the Filters menu by right-clicking on the source to be modified.
Have you made a master play and want to repeat it in your stream? Replay Source is the perfect OBS plugin for that. Thanks to this free plugin, you can press a button and automatically show the last seconds of your stream. You can even set the source, duration and speed in the properties and choose which hotkey you want to use.
Dynamic Delay is a plugin for OBS that allows you to add a delay to a source. It also allows you to make a particular source delay, speed up or play in slow motion. In addition, you will be able to rewind or enable slow motion on a source.
This is very useful when you want to do a little recap of the last minutes of your stream.Check this plugin in action!
4 Best OBS Studio Sound Plugins
One of the most important parts of your stream is the sound. Audio is almost as important as video because your viewers are waiting to hear you and interact with you. For example, when you play music or open a video source, thanks to plugins there are ways to show that you are playing or pausing or stopping that source.
Here are the 4 best OBS plugins in terms of audio we have found.
How many times have you played a video or song in your stream and found that OBS doesn’t allow you to pause or stop playback? The OBS Media Controls plugin adds a dock to the OBS audio interface.
Media Controls is a simple and easy to install plugin that substantially improves the control of your media sources. It can be added to your OBS interface under View > Docks > Media Controls.
Tuna is a plugin for OBS that allows you to display information about the song currently playing, as well as, in some cases, display the album cover in your stream. This way your viewers know what you are listening to.
It is compatible with: Spotify, MPD, VLC, Last.fm, Google Play Music, Soundcloud, Yandex Music and Spotify Web Player.
You have to be aware that streaming music during your streaming could be a bit dangerous and your stream VOD will be muted. Luckily for you, there is a service with copyright free music called OWN3D Music that lets you listen to and stream music without worrying about copyright infringement.
You have all the information and detailed instructions at: obsproject.com/forum/resources/tuna.843/
If you likeTuna, there is a perfect add-on for it. Along with the album cover and disc information, Spectralizer will show you an audio bar display from any source.
It can be configured in depth to change the size, amount, spacing, movement and much more.
Audio Monitor is a plugin for OBS Studio that adds a dock with an audio monitor and filters. It is an alternative to VoiceMeeter third-party software.
Thanks to Audio Monitor you will be able to control in depth and in real time your stream audio to regulate the volume of your sources. This has several different uses:
5 Best OBS Studio Effect Plugins
Last but not least, we will talk about plugins that perform different actions on your stream like modifying your camera, transitions or the way you control OBS. Also, we will show you a plugin to make your live streams subtitled by default and more accessible for the hearing impaired.
This free plugin for OBS Studio allows you to move fonts to a new position during a transition. With it you can give a more dynamic and fun look to your stream.
You can see this plugin in operation inthis video!
StreamFX is an OBS Studio plugin, also compatible with StreamElements OBS Live, that adds sources, filters and transitions to your stream. StreamFX will allow you, among other things, to add a distorted area to your stream to prevent it from showing, to move something in 3D, or to add shaders to a transition or video source (such as your webcam).
Remote-control is a plugin that uses Websocket API and will let you use your OBS with your smartphone, tablet, etc. It uses port 4444 and the protocol is based on OBS Remote.
You can protect obs-websocket with a password against unauthorized control. To do this, open the «Websocket server settings» dialog under OBS’ «Tools» menu. In the settings dialogs, you can enable or disable authentication and set a password for it.
This plugin provides closed captioning (subtitles) via Google Cloud Speech Recognition API for OBS. Captions are optional for viewers and use Twitch’s caption support that works on streams and VODs. Viewers will read subtitles directly on Twitch when the streamer mic is on. This plugin easily enables your audience to turn on or off subtitles. If you have hearing impaired viewers, this definitely helps you to connect with them.
The plugin only works when your microphone is unmuted and it works for live and VODs, and also supports OBS delay. You don’t need any Twitch extension to run this plugin. Viewers can turn the captions on/off and it supports many languages.
Do you have two PCs and want to use them to stream but don’t have a video capture device? NDI™ technology is here to help you interconnect all the computers and devices in your home to stream from any computer using shared video and audio sources.
The NewTek NDI™ plugin adds support for both incoming and outgoing video and audio using the IP network protocol. To do so, it uses the NewTek NDI™ technology.
Thanks to NewTek NDI you can stream from a computer for example on Twitch, and with another PC connected to the network you can stream the same content and in real time to YouTube or Facebook Gaming. You can also connect webcams or IP cameras and use them as sources on various devices- all without the need for a video capture device and totally free of charge.
7 Install & Usage of OBS Plugins
Have you already chosen the OBS plugins you like the most and don’t know how to install them? In this section, we show you how to install and use the best OBS plugins you have downloaded to take your stream to a new level.
The first and most important thing is that you have OBS closed when installing the plugins or they will not come up until the next restart.
7.1 Install OBS Plugins
Installing plugins in OBS is very easy. Just copy/paste the plugin files into the plugins folder of your OBS install location. By default:
32-bit plugins folder= C:\Program Files (x86)\OBS Plugins
64-bit plugins folder= C:\Program Files\OBS\plugins
Then put all the DLL files and the folders that come with the plugins inside the Plugins folder. It will depend on the version of OBS you are using.
Some plugins, like OWN3D PRO for OBS, come with an installer «.exe» so you only need to doubleclick and complete the installation, with OBS closed.
7.2 Usage of OBS Plugins
Once the OBS plugins are installed, we will show you how to use them. Open OBS and go to «Tools». In the drop-down menu, you will see all the plugins you have installed.
To open and use them, just click on the one you want in the drop-down menu.
Some Plugins are integrated in the OBS menus or interface, such as StreamFX, Audio Monitor, Media Controls, or Shader Filter.
What are OBS plugins?
OBS plugins are small tools that you add to your OBS Studio to get additional features.
How to install OBS plugins?
For a detailed description on how to install OBS plugins, please refer to point 7.1 in this guide.
How to use OBS plugins?
Please, if you want to know more about how to use OBS plugins, go to chapter 7.2 in this guide.
How to make OBS plugins?
If you want to create plugins for OBS, you will find all the information in the OBS guide. Check OBS documentationhere!
Where to install OBS plugins?
OBS Plugins install location is, by default:
32-bit plugins folder= C:\Program Files (x86)\OBS Plugins
64-bit plugins folder= C:\Program Files\OBS\plugins
Close your OBS, install the plugins, restart the computer, and open OBS once again.
Difference between OBS Plugins and OBS Addons?
OBS Plugins and OBS Add-ons are the same thing. There is no difference between them.
How To Install OBS Plugins: The Ultimate Guide
OBS Studio is an incredibly powerful streaming tool. One of the main reasons users choose this program over other streaming software is its plugin capabilities. Finding out how to install OBS Plugins can be a tricky business, but we’ve got you covered.
As OBS is open-source software, independent developers can produce additional features for the software and host them online for creators to download and install.
This creates a whole new world of possibilities within OBS Studio and is probably the number one reason why creators continue to use OBS over more user-friendly alternatives.
From our OBS Mastery Course – Check out the whole 7-hour video course on our YouTube channel.
What are Plugins for OBS Studio?
A plugin is a software add-on installed on a program to enable more features. In the case of OBS Studio, users must install the plugins manually; it is not a feature that the default interface supports.
Independent developers identify areas that could be improved inside OBS Studio and create coded solutions for them. They then host the files for their new software online, and OBS users can download and install them into their OBS Studio directory.
Plugins in OBS usually take the form of a new source in the source list. However, some of them might even install an entirely new tab or dock to your program. It completely depends on the function of the plugin.
Where do I Find Reliable Plugins?
The best place to find OBS Studio plugins is on the OBSProject website. This particular forum features safe and trusted plugins from verified uploaders. It will only redirect you to download completely secure pages.
Other external widget sites such as OWN3D or Streamelements also host plugins. Generally, these sites are secure, but be sure to have your security firewall on when downloading anything from internet sources.
If you choose to download a plugin from an external site (outside of OBSProject and its partner sites), be sure your downloaded file is in EXE or ZIP format. If it is, you can still use the guide below.
How To Add Plugins To OBS
Many people believe that installing plugins is complicated. In truth, it couldn’t be any easier! There are two main ways of installing a plugin in OBS, and it depends on the plugin’s file type.
Find Out What File Type Your Plugin Is
If you want to know how to install OBS plugins, you’ll need to know what file type you’re working with. Plugins usually come in two file types; EXE or ZIP. Navigate to the plugin you want to download in OBSProject and click the go to download button in the top right corner of the screen.
The next page that opens will usually be a reliable external file source such as GitHub.
What Is GitHub?
Many creators get spooked when they are redirected to an external website. GitHub, however, is one of the world’s largest directories of software on the internet. It’s a trusted and verified website where independent developers can host their software and files.
Once you click go to download, a software download page will open up on GitHub. The format of the page is usually always the same. At the top of the page, you have the software name and version. In the center, there is the build description and sometimes a detailed tutorial.
At the bottom of the page will be your assets. Assets is the term used in software development to refer to downloadable files necessary to run a program. You should see a list of many downloads, but you want to look for the two downloads that end in EXE and ZIP.
The source code files are helpful to other software developers who want to develop further or manipulate the programming. You can ignore these for now unless you want to become a fully-fledged developer!
Sometimes there will only be an EXE file, and other times only a ZIP file. Either one will allow you to install the plugin but how you do so is slightly different.
Installing EXE File Plugins
If your plugin comes in EXE file format, you’re in luck. This file will trigger a direct installation of the plugin without the need for you to move files around yourself. If you’ve ever installed software on your system, this whole process will look very similar to you.
This is the simplest way of adding plugins in OBS Studio. If you have a choice between downloading an EXE or ZIP file, always go for the EXE option.
Installing ZIP File Plugins
Zip files are a little more complicated to install. They’re not quite as simple as clicking a few buttons in an installer window. It’s the main reason why creators search for how to install OBS plugins and the biggest stumbling block.
Download the ZIP file from the asset list and locate it on your system. Downloaded files are usually found in your downloads folder.
Unzipping Software
A zip folder is a compressed file that requires decompression to work properly. To unzip a ZIP file, you will need software that is capable of decompression. There are quite a lot of programs that can do this, including:
Each of these zip utilities is free and works very reliably. Once installed, simply right-click on your ZIP file and select extract or extract all.
Extracting To The OBS Directory
Once you have clicked extract, you will be asked to select a location to extract your files. Extract the files into the OBS Studio directory that was created when you installed the program.
By default this is found in C: > Program Files > obs-studio. If you changed the installation directory when you installed OBS, you will need to find where all of your OBS files are stored.
Your system will tell you that there are conflicting files in that destination. That’s fine; just click replace and complete the installation.
You can now restart OBS Studio, and your plugin will be available to use.
How To Find The OBS Studio Directory
If you can’t find your OBS Studio directory on your system, don’t panic! It’s pretty easy to find. Just follow the steps below:
Where To Access New Plugins In OBS Studio
Plugins come in all different shapes and sizes. Some install themselves as new docks or sources, while others install completely new tabs or filter options. It ultimately depends on the plugin itself.
Before installing, check the plugin homepage on OBSProject; most plugins have a detailed explanation and tutorial on installation and use. The example below, for example, is the description of the scale-to-sound plugin. The description mentions that it is a filter; therefore, you’ll need to check your filter settings once you’ve installed the file to see if it was installed successfully.
The Most Popular OBS Studio Plugins
There are hundreds of plugins in the OBSProject directory, but some are more popular and useful than others. Below we’ve listed just a few that you might want to install straight away.
This is by no means a comprehensive list, just a few that we think you might find valuable. For more helpful plugins, be sure to check out our top ten picks right here.
In Conclusion
The word plugin sometimes sounds daunting to new creators and streamers. The truth is that plugins are easily manageable and relatively simple to install.
Now you know how to install OBS plugins, there is a whole new world of possibilities to help you and other creators elevate your content above competitors.
Check the official OBSProject forum regularly for new and niche plugins that could be just the solution you’ve been looking for, and always remember to use security software when downloading anything from the internet!